From 5b44714f4cbd75138519789f55fd8b6f4b5d4241 Mon Sep 17 00:00:00 2001 From: Frank Karlitschek Date: Tue, 13 Nov 2012 15:11:02 +0100 Subject: [PATCH 001/415] =?UTF-8?q?first=20version=20of=20the=20new=20prev?= =?UTF-8?q?iewer=20lib.=20It=20currently=20only=20created=20previews/thumb?= =?UTF-8?q?nails=20for=20images.=20It=20get=C2=B4s=20more=20interesting=20?= =?UTF-8?q?when=20we=20add=20PDFs,=20movies,=20mp3,=20text=20files=20and?= =?UTF-8?q?=20more...?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit --- lib/preview.php | 131 +++++++++++++++++++++++++++++++++++++++++ lib/public/preview.php | 50 ++++++++++++++++ 2 files changed, 181 insertions(+) create mode 100755 lib/preview.php create mode 100644 lib/public/preview.php diff --git a/lib/preview.php b/lib/preview.php new file mode 100755 index 00000000000..8b1a42925a6 --- /dev/null +++ b/lib/preview.php @@ -0,0 +1,131 @@ +show(); + }else{ + header('Content-type: image/png'); + OC_PreviewUnknown::getThumbnail($maxX,$maxY); + } + } + + +} + + + +class OC_PreviewImage { + + // the thumbnail cache folder + const THUMBNAILS_FOLDER = 'thumbnails'; + + public static function getThumbnail($path,$maxX,$maxY,$scalingup) { + $thumbnails_view = new \OC_FilesystemView('/'.\OCP\User::getUser() .'/'.self::THUMBNAILS_FOLDER); + + // is a preview already in the cache? + if ($thumbnails_view->file_exists($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup)) { + return new \OC_Image($thumbnails_view->getLocalFile($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup)); + } + + // does the sourcefile exist? + if (!\OC_Filesystem::file_exists($path)) { + \OC_Log::write('Preview', 'File '.$path.' don\'t exists', \OC_Log::WARN); + return false; + } + + // open the source image + $image = new \OC_Image(); + $image->loadFromFile(\OC_Filesystem::getLocalFile($path)); + if (!$image->valid()) return false; + + // fix the orientation + $image->fixOrientation(); + + // calculate the right preview size + $Xsize=$image->width(); + $Ysize=$image->height(); + if (($Xsize/$Ysize)>($maxX/$maxY)) { + $factor=$maxX/$Xsize; + } else { + $factor=$maxY/$Ysize; + } + + // only scale up if requested + if($scalingup==false) { + if($factor>1) $factor=1; + } + $newXsize=$Xsize*$factor; + $newYsize=$Ysize*$factor; + + // resize + $ret = $image->preciseResize($newXsize, $newYsize); + if (!$ret) { + \OC_Log::write('Preview', 'Couldn\'t resize image', \OC_Log::ERROR); + unset($image); + return false; + } + + // store in cache + $l = $thumbnails_view->getLocalFile($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup); + $image->save($l); + + return $image; + } + + + +} + + +class OC_PreviewUnknown { + public static function getThumbnail($maxX,$maxY) { + + // check if GD is installed + if(!extension_loaded('gd') || !function_exists('gd_info')) { + OC_Log::write('preview', __METHOD__.'(): GD module not installed', OC_Log::ERROR); + return false; + } + + // create a white image + $image = imagecreatetruecolor($maxX, $maxY); + $color = imagecolorallocate($image, 255, 255, 255); + imagefill($image, 0, 0, $color); + + // output the image + imagepng($image); + imagedestroy($image); + } + +} + diff --git a/lib/public/preview.php b/lib/public/preview.php new file mode 100644 index 00000000000..a7487c485f1 --- /dev/null +++ b/lib/public/preview.php @@ -0,0 +1,50 @@ +. +* +*/ + +/** + * Public interface of ownCloud for apps to use. + * Preview Class. + * + */ + +// use OCP namespace for all classes that are considered public. +// This means that they should be used by apps instead of the internal ownCloud classes +namespace OCP; + +/** + * This class provides functions to render and show thumbnails and previews of files + */ +class Preview { + + /** + * @brief return a preview of a file + * @param $file The path to the file where you want a thumbnail from + * @param $maxX The maximum X size of the thumbnail. It can be smaller depending on the shape of the image + * @param $maxY The maximum Y size of the thumbnail. It can be smaller depending on the shape of the image + * @param $scaleup Scale smaller images up to the thumbnail size or not. Might look ugly + * @return image + */ + public static function show($file,$maxX=100,$maxY=75,$scaleup=false) { + return(\OC_Preview::show($file,$maxX,$maxY,$scaleup)); + } + +} -- GitLab From e484811e24f6332df49eb35c7e2adffca81d2005 Mon Sep 17 00:00:00 2001 From: Frank Karlitschek Date: Tue, 13 Nov 2012 16:14:16 +0100 Subject: [PATCH 002/415] add some documentation, remove a debug hack, move folder name definition to main class --- lib/preview.php | 20 ++++++++++++-------- 1 file changed, 12 insertions(+), 8 deletions(-) diff --git a/lib/preview.php b/lib/preview.php index 8b1a42925a6..3fa494a2e03 100755 --- a/lib/preview.php +++ b/lib/preview.php @@ -19,21 +19,28 @@ TODO: class OC_Preview { - + + // the thumbnail cache folder + const THUMBNAILS_FOLDER = 'thumbnails'; /** * @brief return a preview of a file * @param $file The path to the file where you want a thumbnail from * @param $maxX The maximum X size of the thumbnail. It can be smaller depending on the shape of the image * @param $maxY The maximum Y size of the thumbnail. It can be smaller depending on the shape of the image + * @param $scaleup Scale smaller images up to the thumbnail size or not. Might look ugly * @return image */ - static public function show($file,$maxX,$maxY) { + static public function show($file,$maxX,$maxY,$scalingup) { + // get the mimetype of the file $mimetype=explode('/',OC_FileSystem::getMimeType($file)); - if($mimetype[0]=='imaage'){ + + // it´s an image + if($mimetype[0]=='image'){ OCP\Response::enableCaching(3600 * 24); // 24 hour - $image=OC_PreviewImage::getThumbnail($file,$maxX,$maxY,false); + $image=OC_PreviewImage::getThumbnail($file,$maxX,$maxY,$scalingup); $image->show(); + // it´s something else. Let´s create a dummy preview }else{ header('Content-type: image/png'); OC_PreviewUnknown::getThumbnail($maxX,$maxY); @@ -47,11 +54,8 @@ class OC_Preview { class OC_PreviewImage { - // the thumbnail cache folder - const THUMBNAILS_FOLDER = 'thumbnails'; - public static function getThumbnail($path,$maxX,$maxY,$scalingup) { - $thumbnails_view = new \OC_FilesystemView('/'.\OCP\User::getUser() .'/'.self::THUMBNAILS_FOLDER); + $thumbnails_view = new \OC_FilesystemView('/'.\OCP\User::getUser() .'/'.OC_Preview::THUMBNAILS_FOLDER); // is a preview already in the cache? if ($thumbnails_view->file_exists($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup)) { -- GitLab From eb27c0b2a84da44f8e42f7e4aca0102c969eb195 Mon Sep 17 00:00:00 2001 From: Frank Karlitschek Date: Mon, 14 Jan 2013 15:51:47 +0100 Subject: [PATCH 003/415] snapshor of the preview lib. movies are not yet working --- lib/preview.php | 94 +++++++++++++++++++++++++++++++++++-------------- 1 file changed, 68 insertions(+), 26 deletions(-) diff --git a/lib/preview.php b/lib/preview.php index 3fa494a2e03..d49e9d3bde3 100755 --- a/lib/preview.php +++ b/lib/preview.php @@ -9,6 +9,7 @@ /* TODO: - delete thumbnails if files change. + - make it work with external filesystem files. - movies support - pdf support - mp3/id3 support @@ -34,12 +35,17 @@ class OC_Preview { static public function show($file,$maxX,$maxY,$scalingup) { // get the mimetype of the file $mimetype=explode('/',OC_FileSystem::getMimeType($file)); - // it´s an image if($mimetype[0]=='image'){ OCP\Response::enableCaching(3600 * 24); // 24 hour $image=OC_PreviewImage::getThumbnail($file,$maxX,$maxY,$scalingup); $image->show(); + + // it´s a video + }elseif($mimetype[0]=='video'){ + OCP\Response::enableCaching(3600 * 24); // 24 hour + OC_PreviewMovie::getThumbnail($file,$maxX,$maxY,$scalingup); + // it´s something else. Let´s create a dummy preview }else{ header('Content-type: image/png'); @@ -55,56 +61,59 @@ class OC_Preview { class OC_PreviewImage { public static function getThumbnail($path,$maxX,$maxY,$scalingup) { - $thumbnails_view = new \OC_FilesystemView('/'.\OCP\User::getUser() .'/'.OC_Preview::THUMBNAILS_FOLDER); - // is a preview already in the cache? + $thumbnails_view = new \OC_FilesystemView('/'.\OCP\User::getUser() .'/'.OC_Preview::THUMBNAILS_FOLDER); + + // is a preview already in the cache? if ($thumbnails_view->file_exists($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup)) { return new \OC_Image($thumbnails_view->getLocalFile($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup)); } - - // does the sourcefile exist? + + // does the sourcefile exist? if (!\OC_Filesystem::file_exists($path)) { \OC_Log::write('Preview', 'File '.$path.' don\'t exists', \OC_Log::WARN); return false; } - // open the source image + // open the source image $image = new \OC_Image(); $image->loadFromFile(\OC_Filesystem::getLocalFile($path)); if (!$image->valid()) return false; - // fix the orientation + // fix the orientation $image->fixOrientation(); - - // calculate the right preview size - $Xsize=$image->width(); - $Ysize=$image->height(); - if (($Xsize/$Ysize)>($maxX/$maxY)) { - $factor=$maxX/$Xsize; - } else { - $factor=$maxY/$Ysize; - } - - // only scale up if requested - if($scalingup==false) { - if($factor>1) $factor=1; - } - $newXsize=$Xsize*$factor; - $newYsize=$Ysize*$factor; - // resize + // calculate the right preview size + $Xsize=$image->width(); + $Ysize=$image->height(); + if (($Xsize/$Ysize)>($maxX/$maxY)) { + $factor=$maxX/$Xsize; + } else { + $factor=$maxY/$Ysize; + } + + // only scale up if requested + if($scalingup==false) { + if($factor>1) $factor=1; + } + $newXsize=$Xsize*$factor; + $newYsize=$Ysize*$factor; + + // resize $ret = $image->preciseResize($newXsize, $newYsize); if (!$ret) { \OC_Log::write('Preview', 'Couldn\'t resize image', \OC_Log::ERROR); unset($image); return false; } - - // store in cache + + // store in cache $l = $thumbnails_view->getLocalFile($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup); $image->save($l); return $image; + + } @@ -112,6 +121,39 @@ class OC_PreviewImage { } +class OC_PreviewMovie { + + public static function isAvailable() { + $check=shell_exec('ffmpeg'); + if($check==NULL) return(false); else return(true); + } + + public static function getThumbnail($path,$maxX,$maxY,$scalingup) { + $thumbnails_view = new \OC_FilesystemView('/'.\OCP\User::getUser() .'/'.OC_Preview::THUMBNAILS_FOLDER); + + // is a preview already in the cache? + if ($thumbnails_view->file_exists($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup)) { + return new \OC_Image($thumbnails_view->getLocalFile($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup)); + } + + // does the sourcefile exist? + if (!\OC_Filesystem::file_exists($path)) { + \OC_Log::write('Preview', 'File '.$path.' don\'t exists', \OC_Log::WARN); + return false; + } + + // call ffmpeg to do the screenshot + shell_exec('ffmpeg -y -i {'.escapeshellarg($path).'} -f mjpeg -vframes 1 -ss 1 -s {'.escapeshellarg($maxX).'}x{'.escapeshellarg($maxY).'} {.'.$thumbnails_view->getLocalFile($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup).'}'); + + // output the generated Preview + $thumbnails_view->getLocalFile($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup); + unset($thumbnails_view); + } + + +} + + class OC_PreviewUnknown { public static function getThumbnail($maxX,$maxY) { -- GitLab From 9ef449842a369c2517f5c34932b502b754393ce0 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Thu, 25 Apr 2013 11:18:45 +0200 Subject: [PATCH 004/415] save current work state of Preview Lib --- lib/preview.php | 378 +++++++++++++++++++++++++++++------------------- 1 file changed, 229 insertions(+), 149 deletions(-) diff --git a/lib/preview.php b/lib/preview.php index d49e9d3bde3..c7047633212 100755 --- a/lib/preview.php +++ b/lib/preview.php @@ -1,28 +1,139 @@ getFileInfo($file); + $fileid = self::$fileinfo['fileid']; + + //echo self::THUMBNAILS_FOLDER . PATH_SEPARATOR . $fileid; + if(!self::$fileview->is_dir(self::THUMBNAILS_FOLDER . PATH_SEPARATOR . $fileid)){ + return false; + } + + //does a preview with the wanted height and width already exist? + if(self::$fileview->file_exists(self::THUMBNAILS_FOLDER . PATH_SEPARATOR . $fileid . PATH_SEPARATOR . $x . '-' . $y . '.png')){ + return self::THUMBNAILS_FOLDER . PATH_SEPARATOR . $fileid . PATH_SEPARATOR . $x . '-' . $y . '.png'; + } + + $wantedaspectratio = $maxX / $maxY; + + //array for usable cached thumbnails + $possiblethumbnails = array(); + + $allthumbnails = self::$fileview->getDirectoryContent(self::THUMBNAILS_FOLDER . PATH_SEPARATOR . $fileid); + foreach($allthumbnails as $thumbnail){ + $size = explode('-', $thumbnail['name']); + $x = $size[0]; + $y = $size[1]; + + $aspectratio = $x / $y; + if($aspectratio != $wantedaspectratio){ + continue; + } + + if($x < $maxX || $y < $maxY){ + if($scalingup){ + $scalefactor = $maxX / $x; + if($scalefactor > self::MAX_SCALE_FACTOR){ + continue; + } + }else{ + continue; + } + } + + $possiblethumbnails[$x] = $thumbnail['path']; + } + + if(count($possiblethumbnails) === 0){ + return false; + } + + if(count($possiblethumbnails) === 1){ + return current($possiblethumbnails); + } + + ksort($possiblethumbnails); + + if(key(reset($possiblethumbnails)) > $maxX){ + return current(reset($possiblethumbnails)); + } + + if(key(end($possiblethumbnails)) < $maxX){ + return current(end($possiblethumbnails)); + } + + foreach($possiblethumbnails as $width => $path){ + if($width < $maxX){ + continue; + }else{ + return $path; + } + } + } - // the thumbnail cache folder - const THUMBNAILS_FOLDER = 'thumbnails'; + /** + * @brief delete a preview with a specfic height and width + * @param $file path to the file + * @param $x width of preview + * @param $y height of preview + * @return image + */ + public static function deletePreview($file, $x, $y){ + self::init(); + + $fileinfo = self::$fileview->getFileInfo($file); + $fileid = self::$fileinfo['fileid']; + + return self::$fileview->unlink(self::THUMBNAILS_FOLDER . PATH_SEPARATOR . $fileid . PATH_SEPARATOR . $x . '-' . $y . '.png'); + } + + /** + * @brief deletes all previews of a file + * @param $file path of file + * @return bool + */ + public static function deleteAllPrevies($file){ + self::init(); + + $fileinfo = self::$fileview->getFileInfo($file); + $fileid = self::$fileinfo['fileid']; + + return self::$fielview->rmdir(self::THUMBNAILS_FOLDER . PATH_SEPARATOR . $fileid); + } /** * @brief return a preview of a file @@ -32,146 +143,115 @@ class OC_Preview { * @param $scaleup Scale smaller images up to the thumbnail size or not. Might look ugly * @return image */ - static public function show($file,$maxX,$maxY,$scalingup) { - // get the mimetype of the file - $mimetype=explode('/',OC_FileSystem::getMimeType($file)); - // it´s an image - if($mimetype[0]=='image'){ - OCP\Response::enableCaching(3600 * 24); // 24 hour - $image=OC_PreviewImage::getThumbnail($file,$maxX,$maxY,$scalingup); - $image->show(); - - // it´s a video - }elseif($mimetype[0]=='video'){ - OCP\Response::enableCaching(3600 * 24); // 24 hour - OC_PreviewMovie::getThumbnail($file,$maxX,$maxY,$scalingup); - - // it´s something else. Let´s create a dummy preview - }else{ - header('Content-type: image/png'); - OC_PreviewUnknown::getThumbnail($maxX,$maxY); + public static function getPreview($file, $maxX, $maxY, $scalingup){ + self::init(); + + $cached = self::isCached($file, $maxX, $maxY); + if($cached){ + $image = new \OC_Image($cached); + if($image->width() != $maxX && $image->height != $maxY){ + $image->preciseResize($maxX, $maxY); + } + return $image; } + + $mimetype = self::$fileview->getMimeType($file); + + $preview; + + foreach(self::$providers as $supportedmimetype => $provider){ + if(!preg_match($supportedmimetype, $mimetype)){ + continue; + } + + $preview = $provider->getThumbnail($file, $maxX, $maxY, $scalingup); + + if(!$preview){ + continue; + } + + if(!($preview instanceof \OC_Image)){ + $preview = @new \OC_Image($preview); + } + + //cache thumbnail + $preview->save(self::$filesview->getAbsolutePath(self::THUMBNAILS_FOLDER . PATH_SEPARATOR . $fileid . PATH_SEPARATOR . $x . '-' . $y . '.png')); + + break; + } + + return $preview; } + /** + * @brief return a preview of a file + * @param $file The path to the file where you want a thumbnail from + * @param $maxX The maximum X size of the thumbnail. It can be smaller depending on the shape of the image + * @param $maxY The maximum Y size of the thumbnail. It can be smaller depending on the shape of the image + * @param $scaleup Scale smaller images up to the thumbnail size or not. Might look ugly + * @return image + */ + public static function showPreview($file, $maxX, $maxY, $scalingup = true, $fontsize = 12){ + OCP\Response::enableCaching(3600 * 24); // 24 hour + $preview = self::getPreview($file, $maxX, $maxY, $scalingup, $fontsize); + $preview->show(); + } + + /** + * @brief check whether or not providers and views are initialized and initialize if not + * @return void + */ + private static function init(){ + if(empty(self::$providers)){ + self::initProviders(); + } + if(is_null(self::$thumbnailsview) || is_null(self::$userlandview)){ + self::initViews(); + } + } -} - - - -class OC_PreviewImage { - - public static function getThumbnail($path,$maxX,$maxY,$scalingup) { - - $thumbnails_view = new \OC_FilesystemView('/'.\OCP\User::getUser() .'/'.OC_Preview::THUMBNAILS_FOLDER); - - // is a preview already in the cache? - if ($thumbnails_view->file_exists($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup)) { - return new \OC_Image($thumbnails_view->getLocalFile($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup)); - } - - // does the sourcefile exist? - if (!\OC_Filesystem::file_exists($path)) { - \OC_Log::write('Preview', 'File '.$path.' don\'t exists', \OC_Log::WARN); - return false; - } - - // open the source image - $image = new \OC_Image(); - $image->loadFromFile(\OC_Filesystem::getLocalFile($path)); - if (!$image->valid()) return false; - - // fix the orientation - $image->fixOrientation(); - - // calculate the right preview size - $Xsize=$image->width(); - $Ysize=$image->height(); - if (($Xsize/$Ysize)>($maxX/$maxY)) { - $factor=$maxX/$Xsize; - } else { - $factor=$maxY/$Ysize; - } - - // only scale up if requested - if($scalingup==false) { - if($factor>1) $factor=1; - } - $newXsize=$Xsize*$factor; - $newYsize=$Ysize*$factor; - - // resize - $ret = $image->preciseResize($newXsize, $newYsize); - if (!$ret) { - \OC_Log::write('Preview', 'Couldn\'t resize image', \OC_Log::ERROR); - unset($image); - return false; - } - - // store in cache - $l = $thumbnails_view->getLocalFile($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup); - $image->save($l); - - return $image; - - - } - - - -} - - -class OC_PreviewMovie { - - public static function isAvailable() { - $check=shell_exec('ffmpeg'); - if($check==NULL) return(false); else return(true); - } - - public static function getThumbnail($path,$maxX,$maxY,$scalingup) { - $thumbnails_view = new \OC_FilesystemView('/'.\OCP\User::getUser() .'/'.OC_Preview::THUMBNAILS_FOLDER); - - // is a preview already in the cache? - if ($thumbnails_view->file_exists($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup)) { - return new \OC_Image($thumbnails_view->getLocalFile($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup)); - } - - // does the sourcefile exist? - if (!\OC_Filesystem::file_exists($path)) { - \OC_Log::write('Preview', 'File '.$path.' don\'t exists', \OC_Log::WARN); - return false; - } - - // call ffmpeg to do the screenshot - shell_exec('ffmpeg -y -i {'.escapeshellarg($path).'} -f mjpeg -vframes 1 -ss 1 -s {'.escapeshellarg($maxX).'}x{'.escapeshellarg($maxY).'} {.'.$thumbnails_view->getLocalFile($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup).'}'); - - // output the generated Preview - $thumbnails_view->getLocalFile($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup); - unset($thumbnails_view); - } - - -} - + /** + * @brief register a new preview provider to be used + * @param string $provider class name of a OC_Preview_Provider + * @return void + */ + public static function registerProvider($class, $options=array()){ + self::$registeredProviders[]=array('class'=>$class, 'options'=>$options); + } -class OC_PreviewUnknown { - public static function getThumbnail($maxX,$maxY) { + /** + * @brief create instances of all the registered preview providers + * @return void + */ + private static function initProviders(){ + if(count(self::$providers)>0) { + return; + } + + foreach(self::$registeredProviders as $provider) { + $class=$provider['class']; + $options=$provider['options']; - // check if GD is installed - if(!extension_loaded('gd') || !function_exists('gd_info')) { - OC_Log::write('preview', __METHOD__.'(): GD module not installed', OC_Log::ERROR); - return false; + $object = new $class($options); + + self::$providers[$object->getMimeType()] = $object; } - - // create a white image - $image = imagecreatetruecolor($maxX, $maxY); - $color = imagecolorallocate($image, 255, 255, 255); - imagefill($image, 0, 0, $color); - - // output the image - imagepng($image); - imagedestroy($image); - } - -} - + + $keys = array_map('strlen', array_keys(self::$providers)); + array_multisort($keys, SORT_DESC, self::$providers); + } + + /** + * @brief initialize a new \OC\Files\View object + * @return void + */ + private static function initViews(){ + if(is_null(self::$fileview)){ + self::$fileview = new OC\Files\View(); + } + } + + public static function previewRouter($params){ + var_dump($params); + } +} \ No newline at end of file -- GitLab From f02aca3f6ee295485d5bb9bc99b85b5573716f17 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Thu, 25 Apr 2013 11:42:40 +0200 Subject: [PATCH 005/415] add route for previews --- core/routes.php | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/core/routes.php b/core/routes.php index be19b66bf72..be5766cea9d 100644 --- a/core/routes.php +++ b/core/routes.php @@ -42,7 +42,8 @@ $this->create('js_config', '/core/js/config.js') // Routing $this->create('core_ajax_routes', '/core/routes.json') ->action('OC_Router', 'JSRoutes'); - +$this->create('core_ajax_preview', '/core/preview.png') + ->action('OC_Preview', 'previewRouter'); OC::$CLASSPATH['OC_Core_LostPassword_Controller'] = 'core/lostpassword/controller.php'; $this->create('core_lostpassword_index', '/lostpassword/') ->get() -- GitLab From 8c1925425b26d9b2889632c724ec455ceeed4dd4 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Thu, 25 Apr 2013 12:51:44 +0200 Subject: [PATCH 006/415] save current work state --- lib/preview.php | 32 ++++++++++++++++-- lib/preview/images.php | 71 ++++++++++++++++++++++++++++++++++++++++ lib/preview/movies.php | 42 ++++++++++++++++++++++++ lib/preview/mp3.php | 1 + lib/preview/pdf.php | 0 lib/preview/provider.php | 20 +++++++++++ lib/preview/unknown.php | 34 +++++++++++++++++++ 7 files changed, 197 insertions(+), 3 deletions(-) create mode 100644 lib/preview/images.php create mode 100644 lib/preview/movies.php create mode 100644 lib/preview/mp3.php create mode 100644 lib/preview/pdf.php create mode 100644 lib/preview/provider.php create mode 100644 lib/preview/unknown.php diff --git a/lib/preview.php b/lib/preview.php index c7047633212..de79b424077 100755 --- a/lib/preview.php +++ b/lib/preview.php @@ -205,7 +205,7 @@ class OC_Preview { if(empty(self::$providers)){ self::initProviders(); } - if(is_null(self::$thumbnailsview) || is_null(self::$userlandview)){ + if(is_null(self::$fileview)){ self::initViews(); } } @@ -247,11 +247,37 @@ class OC_Preview { */ private static function initViews(){ if(is_null(self::$fileview)){ - self::$fileview = new OC\Files\View(); + //does this work with LDAP? + self::$fileview = new OC\Files\View(OC_User::getUser()); } } public static function previewRouter($params){ - var_dump($params); + self::init(); + + $file = (string) urldecode($_GET['file']); + $maxX = (int) $_GET['x']; + $maxY = (int) $_GET['y']; + $scalingup = (bool) $_GET['scalingup']; + + $path = 'files/' . $file; + + if($maxX === 0 || $maxY === 0){ + OC_Log::write('core', 'Can not create preview with 0px width or 0px height', OC_Log::DEBUG); + exit; + } + + var_dump(self::$fileview->file_exists($path)); + var_dump(self::$fileview->getDirectoryContent()); + var_dump(self::$fileview->getDirectoryContent('files/')); + var_dump($path); + var_dump(self::$fileview->filesize($path)); + var_dump(self::$fileview->getAbsolutePath('/')); + + if(!self::$fileview->filesize($path)){ + OC_Response::setStatus(OC_Response::STATUS_NOT_FOUND); + } + + self::showPreview($file, $maxX, $maxY, $scalingup); } } \ No newline at end of file diff --git a/lib/preview/images.php b/lib/preview/images.php new file mode 100644 index 00000000000..6b6e8e3599f --- /dev/null +++ b/lib/preview/images.php @@ -0,0 +1,71 @@ +file_exists($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup)) { + return new \OC_Image($thumbnails_view->getLocalFile($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup)); + } + + // does the sourcefile exist? + if (!\OC_Filesystem::file_exists($path)) { + \OC_Log::write('Preview', 'File '.$path.' don\'t exists', \OC_Log::WARN); + return false; + } + + // open the source image + $image = new \OC_Image(); + $image->loadFromFile(\OC_Filesystem::getLocalFile($path)); + if (!$image->valid()) return false; + + // fix the orientation + $image->fixOrientation(); + + // calculate the right preview size + $Xsize=$image->width(); + $Ysize=$image->height(); + if (($Xsize/$Ysize)>($maxX/$maxY)) { + $factor=$maxX/$Xsize; + } else { + $factor=$maxY/$Ysize; + } + + // only scale up if requested + if($scalingup==false) { + if($factor>1) $factor=1; + } + $newXsize=$Xsize*$factor; + $newYsize=$Ysize*$factor; + + // resize + $ret = $image->preciseResize($newXsize, $newYsize); + if (!$ret) { + \OC_Log::write('Preview', 'Couldn\'t resize image', \OC_Log::ERROR); + unset($image); + return false; + } + + // store in cache + $l = $thumbnails_view->getLocalFile($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup); + $image->save($l); + + return $image; + } + +} + +OC_Preview::registerProvider('OC_Preview_Image'); \ No newline at end of file diff --git a/lib/preview/movies.php b/lib/preview/movies.php new file mode 100644 index 00000000000..afa27c0b143 --- /dev/null +++ b/lib/preview/movies.php @@ -0,0 +1,42 @@ +file_exists($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup)) { + return new \OC_Image($thumbnails_view->getLocalFile($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup)); + } + + // does the sourcefile exist? + if (!\OC_Filesystem::file_exists($path)) { + \OC_Log::write('Preview', 'File '.$path.' don\'t exists', \OC_Log::WARN); + return false; + } + + // call ffmpeg to do the screenshot + shell_exec('ffmpeg -y -i {'.escapeshellarg($path).'} -f mjpeg -vframes 1 -ss 1 -s {'.escapeshellarg($maxX).'}x{'.escapeshellarg($maxY).'} {.'.$thumbnails_view->getLocalFile($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup).'}'); + + // output the generated Preview + $thumbnails_view->getLocalFile($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup); + unset($thumbnails_view); + } + + } + + OC_Preview::registerProvider('OC_Preview_Movie'); +} \ No newline at end of file diff --git a/lib/preview/mp3.php b/lib/preview/mp3.php new file mode 100644 index 00000000000..645e6fa6232 --- /dev/null +++ b/lib/preview/mp3.php @@ -0,0 +1 @@ +///audio\/mpeg/ \ No newline at end of file diff --git a/lib/preview/pdf.php b/lib/preview/pdf.php new file mode 100644 index 00000000000..e69de29bb2d diff --git a/lib/preview/provider.php b/lib/preview/provider.php new file mode 100644 index 00000000000..c45edbba44d --- /dev/null +++ b/lib/preview/provider.php @@ -0,0 +1,20 @@ +options=$options; + } + + abstract public function getMimeType(); + + /** + * search for $query + * @param string $query + * @return + */ + abstract public function getThumbnail($path, $maxX, $maxY, $scalingup); +} diff --git a/lib/preview/unknown.php b/lib/preview/unknown.php new file mode 100644 index 00000000000..1cd270db687 --- /dev/null +++ b/lib/preview/unknown.php @@ -0,0 +1,34 @@ + Date: Thu, 9 May 2013 23:59:16 +0200 Subject: [PATCH 007/415] implement OC_Preview --- lib/preview.php | 517 +++++++++++++++++++++++++++++---------- lib/preview/images.php | 53 +--- lib/preview/movies.php | 4 +- lib/preview/mp3.php | 21 +- lib/preview/pdf.php | 29 +++ lib/preview/provider.php | 2 +- lib/preview/unknown.php | 2 +- 7 files changed, 446 insertions(+), 182 deletions(-) diff --git a/lib/preview.php b/lib/preview.php index de79b424077..c062a068872 100755 --- a/lib/preview.php +++ b/lib/preview.php @@ -5,21 +5,38 @@ * This file is licensed under the Affero General Public License version 3 or * later. * See the COPYING-README file. - */ -/* + * * Thumbnails: * structure of filename: * /data/user/thumbnails/pathhash/x-y.png * */ +require_once('preview/images.php'); +require_once('preview/movies.php'); +require_once('preview/mp3.php'); +require_once('preview/pdf.php'); +require_once('preview/unknown.php'); class OC_Preview { //the thumbnail folder const THUMBNAILS_FOLDER = 'thumbnails'; - const MAX_SCALE_FACTOR = 2; + + //config + private $max_scale_factor; + private $max_x; + private $max_y; //fileview object - static private $fileview = null; + private $fileview = null; + private $userview = null; + + //vars + private $file; + private $maxX; + private $maxY; + private $scalingup; + + private $preview; //preview providers static private $providers = array(); @@ -27,6 +44,8 @@ class OC_Preview { /** * @brief check if thumbnail or bigger version of thumbnail of file is cached + * @param $user userid + * @param $root path of root * @param $file The path to the file where you want a thumbnail from * @param $maxX The maximum X size of the thumbnail. It can be smaller depending on the shape of the image * @param $maxY The maximum Y size of the thumbnail. It can be smaller depending on the shape of the image @@ -34,68 +53,223 @@ class OC_Preview { * false if thumbnail does not exist * path to thumbnail if thumbnail exists */ - private static function isCached($file, $maxX, $maxY, $scalingup){ - $fileinfo = self::$fileview->getFileInfo($file); - $fileid = self::$fileinfo['fileid']; + public function __construct($user = null, $root = '', $file = '', $maxX = 0, $maxY = 0, $scalingup = false){ + //set config + $this->max_x = OC_Config::getValue('preview_max_x', null); + $this->max_y = OC_Config::getValue('preview_max_y', null); + $this->max_scale_factor = OC_Config::getValue('preview_max_scale_factor', 10); - //echo self::THUMBNAILS_FOLDER . PATH_SEPARATOR . $fileid; - if(!self::$fileview->is_dir(self::THUMBNAILS_FOLDER . PATH_SEPARATOR . $fileid)){ - return false; + //save parameters + $this->file = $file; + $this->maxX = $maxX; + $this->maxY = $maxY; + $this->scalingup = $scalingup; + + //init fileviews + $this->fileview = new \OC\Files\View('/' . $user . '/' . $root); + $this->userview = new \OC\Files\View('/' . $user); + + if(!is_null($this->max_x)){ + if($this->maxX > $this->max_x){ + OC_Log::write('core', 'maxX reduced from ' . $this->maxX . ' to ' . $this->max_x, OC_Log::DEBUG); + $this->maxX = $this->max_x; + } + } + + if(!is_null($this->max_y)){ + if($this->maxY > $this->max_y){ + OC_Log::write('core', 'maxY reduced from ' . $this->maxY . ' to ' . $this->max_y, OC_Log::DEBUG); + $this->maxY = $this->max_y; + } + } + + //init providers + if(empty(self::$providers)){ + self::initProviders(); + } + + //check if there are any providers at all + if(empty(self::$providers)){ + OC_Log::write('core', 'No preview providers exist', OC_Log::ERROR); + throw new Exception('No providers'); + } + + //validate parameters + if($file === ''){ + OC_Log::write('core', 'No filename passed', OC_Log::ERROR); + throw new Exception('File not found'); } + + //check if file exists + if(!$this->fileview->file_exists($file)){ + OC_Log::write('core', 'File:"' . $file . '" not found', OC_Log::ERROR); + throw new Exception('File not found'); + } + + //check if given size makes sense + if($maxX === 0 || $maxY === 0){ + OC_Log::write('core', 'Can not create preview with 0px width or 0px height', OC_Log::ERROR); + throw new Exception('Height and/or width set to 0'); + } + } + + /** + * @brief returns the path of the file you want a thumbnail from + * @return string + */ + public function getFile(){ + return $this->file; + } + + /** + * @brief returns the max width of the preview + * @return integer + */ + public function getMaxX(){ + return $this->maxX; + } + + /** + * @brief returns the max height of the preview + * @return integer + */ + public function getMaxY(){ + return $this->maxY; + } + + /** + * @brief returns whether or not scalingup is enabled + * @return bool + */ + public function getScalingup(){ + return $this->scalingup; + } + + /** + * @brief returns the name of the thumbnailfolder + * @return string + */ + public function getThumbnailsfolder(){ + return self::THUMBNAILS_FOLDER; + } + + /** + * @brief returns the max scale factor + * @return integer + */ + public function getMaxScaleFactor(){ + return $this->max_scale_factor; + } + + /** + * @brief returns the max width set in ownCloud's config + * @return integer + */ + public function getConfigMaxX(){ + return $this->max_x; + } + + /** + * @brief returns the max height set in ownCloud's config + * @return integer + */ + public function getConfigMaxY(){ + return $this->max_y; + } + + /** + * @brief deletes previews of a file with specific x and y + * @return bool + */ + public function deletePreview(){ + $fileinfo = $this->fileview->getFileInfo($this->file); + $fileid = $fileinfo['fileid']; + return $this->userview->unlink(self::THUMBNAILS_FOLDER . '/' . $fileid . '/' . $this->maxX . '-' . $this->maxY . '.png'); + } + + /** + * @brief deletes all previews of a file + * @return bool + */ + public function deleteAllPrevies(){ + $fileinfo = $this->fileview->getFileInfo($this->file); + $fileid = $fileinfo['fileid']; + + return $this->userview->rmdir(self::THUMBNAILS_FOLDER . '/' . $fileid); + } + + /** + * @brief check if thumbnail or bigger version of thumbnail of file is cached + * @return mixed (bool / string) + * false if thumbnail does not exist + * path to thumbnail if thumbnail exists + */ + private function isCached(){ + $file = $this->file; + $maxX = $this->maxX; + $maxY = $this->maxY; + $scalingup = $this->scalingup; + + $fileinfo = $this->fileview->getFileInfo($file); + $fileid = $fileinfo['fileid']; + + if(!$this->userview->is_dir(self::THUMBNAILS_FOLDER . '/' . $fileid)){ + return false; + } + //does a preview with the wanted height and width already exist? - if(self::$fileview->file_exists(self::THUMBNAILS_FOLDER . PATH_SEPARATOR . $fileid . PATH_SEPARATOR . $x . '-' . $y . '.png')){ - return self::THUMBNAILS_FOLDER . PATH_SEPARATOR . $fileid . PATH_SEPARATOR . $x . '-' . $y . '.png'; + if($this->userview->file_exists(self::THUMBNAILS_FOLDER . '/' . $fileid . '/' . $maxX . '-' . $maxY . '.png')){ + return self::THUMBNAILS_FOLDER . '/' . $fileid . '/' . $maxX . '-' . $maxY . '.png'; } - + $wantedaspectratio = $maxX / $maxY; - + //array for usable cached thumbnails $possiblethumbnails = array(); - - $allthumbnails = self::$fileview->getDirectoryContent(self::THUMBNAILS_FOLDER . PATH_SEPARATOR . $fileid); + + $allthumbnails = $this->userview->getDirectoryContent(self::THUMBNAILS_FOLDER . '/' . $fileid); foreach($allthumbnails as $thumbnail){ $size = explode('-', $thumbnail['name']); $x = $size[0]; $y = $size[1]; - + $aspectratio = $x / $y; if($aspectratio != $wantedaspectratio){ continue; } - + if($x < $maxX || $y < $maxY){ if($scalingup){ $scalefactor = $maxX / $x; - if($scalefactor > self::MAX_SCALE_FACTOR){ + if($scalefactor > $this->max_scale_factor){ continue; } }else{ continue; } } - $possiblethumbnails[$x] = $thumbnail['path']; } - + if(count($possiblethumbnails) === 0){ return false; } - + if(count($possiblethumbnails) === 1){ return current($possiblethumbnails); } - + ksort($possiblethumbnails); - + if(key(reset($possiblethumbnails)) > $maxX){ return current(reset($possiblethumbnails)); } - + if(key(end($possiblethumbnails)) < $maxX){ return current(end($possiblethumbnails)); } - + foreach($possiblethumbnails as $width => $path){ if($width < $maxX){ continue; @@ -106,33 +280,56 @@ class OC_Preview { } /** - * @brief delete a preview with a specfic height and width - * @param $file path to the file - * @param $x width of preview - * @param $y height of preview + * @brief return a preview of a file + * @param $file The path to the file where you want a thumbnail from + * @param $maxX The maximum X size of the thumbnail. It can be smaller depending on the shape of the image + * @param $maxY The maximum Y size of the thumbnail. It can be smaller depending on the shape of the image + * @param $scaleup Scale smaller images up to the thumbnail size or not. Might look ugly * @return image */ - public static function deletePreview($file, $x, $y){ - self::init(); - - $fileinfo = self::$fileview->getFileInfo($file); - $fileid = self::$fileinfo['fileid']; - - return self::$fileview->unlink(self::THUMBNAILS_FOLDER . PATH_SEPARATOR . $fileid . PATH_SEPARATOR . $x . '-' . $y . '.png'); - } + public function getPreview(){ + $file = $this->file; + $maxX = $this->maxX; + $maxY = $this->maxY; + $scalingup = $this->scalingup; - /** - * @brief deletes all previews of a file - * @param $file path of file - * @return bool - */ - public static function deleteAllPrevies($file){ - self::init(); - - $fileinfo = self::$fileview->getFileInfo($file); - $fileid = self::$fileinfo['fileid']; - - return self::$fielview->rmdir(self::THUMBNAILS_FOLDER . PATH_SEPARATOR . $fileid); + $fileinfo = $this->fileview->getFileInfo($file); + $fileid = $fileinfo['fileid']; + + $cached = self::isCached(); + + if($cached){ + $image = new \OC_Image($this->userview->getLocalFile($cached)); + $this->preview = $image; + }else{ + $mimetype = $this->fileview->getMimeType($file); + + $preview; + + foreach(self::$providers as $supportedmimetype => $provider){ + if(!preg_match($supportedmimetype, $mimetype)){ + continue; + } + + $preview = $provider->getThumbnail($file, $maxX, $maxY, $scalingup, $this->fileview); + + if(!$preview){ + continue; + } + + if(!($preview instanceof \OC_Image)){ + $preview = @new \OC_Image($preview); + } + + //cache thumbnail + $preview->save($this->userview->getLocalFile(self::THUMBNAILS_FOLDER . '/' . $fileid . '/' . $maxX . '-' . $maxY . '.png')); + + break; + } + $this->preview = $preview; + } + $this->resizeAndCrop(); + return $this->preview; } /** @@ -141,72 +338,109 @@ class OC_Preview { * @param $maxX The maximum X size of the thumbnail. It can be smaller depending on the shape of the image * @param $maxY The maximum Y size of the thumbnail. It can be smaller depending on the shape of the image * @param $scaleup Scale smaller images up to the thumbnail size or not. Might look ugly + * @return void + */ + public function showPreview(){ + OCP\Response::enableCaching(3600 * 24); // 24 hour + $preview = $this->getPreview(); + if($preview){ + $preview->show(); + } + } + + /** + * @brief resize, crop and fix orientation * @return image */ - public static function getPreview($file, $maxX, $maxY, $scalingup){ - self::init(); + public function resizeAndCrop(){ + $image = $this->preview; + $x = $this->maxX; + $y = $this->maxY; + $scalingup = $this->scalingup; + + $image->fixOrientation(); + + if(!($image instanceof \OC_Image)){ + OC_Log::write('core', 'Object passed to resizeAndCrop is not an instance of OC_Image', OC_Log::DEBUG); + return; + } + + $realx = (int) $image->width(); + $realy = (int) $image->height(); + + if($x === $realx && $y === $realy){ + return $image; + } + + $factorX = $x / $realx; + $factorY = $y / $realy; - $cached = self::isCached($file, $maxX, $maxY); - if($cached){ - $image = new \OC_Image($cached); - if($image->width() != $maxX && $image->height != $maxY){ - $image->preciseResize($maxX, $maxY); + if($factorX >= $factorY){ + $factor = $factorX; + }else{ + $factor = $factorY; + } + + // only scale up if requested + if($scalingup === false) { + if($factor>1) $factor=1; + } + if(!is_null($this->max_scale_factor)){ + if($factor > $this->max_scale_factor){ + OC_Log::write('core', 'scalefactor reduced from ' . $factor . ' to ' . $this->max_scale_factor, OC_Log::DEBUG); + $factor = $this->max_scale_factor; } - return $image; } + $newXsize = $realx * $factor; + $newYsize = $realy * $factor; + + // resize + $image->preciseResize($newXsize, $newYsize); - $mimetype = self::$fileview->getMimeType($file); + if($newXsize === $x && $newYsize === $y){ + $this->preview = $image; + return; + } - $preview; + if($newXsize >= $x && $newYsize >= $y){ + $cropX = floor(abs($x - $newXsize) * 0.5); + $cropY = floor(abs($y - $newYsize) * 0.5); + + $image->crop($cropX, $cropY, $x, $y); + + $this->preview = $image; + return; + } - foreach(self::$providers as $supportedmimetype => $provider){ - if(!preg_match($supportedmimetype, $mimetype)){ - continue; + if($newXsize < $x || $newYsize < $y){ + if($newXsize > $x){ + $cropX = floor(($newXsize - $x) * 0.5); + $image->crop($cropX, 0, $x, $newYsize); } - $preview = $provider->getThumbnail($file, $maxX, $maxY, $scalingup); - - if(!$preview){ - continue; + if($newYsize > $y){ + $cropY = floor(($newYsize - $y) * 0.5); + $image->crop(0, $cropY, $newXsize, $y); } - if(!($preview instanceof \OC_Image)){ - $preview = @new \OC_Image($preview); - } + $newXsize = (int) $image->width(); + $newYsize = (int) $image->height(); - //cache thumbnail - $preview->save(self::$filesview->getAbsolutePath(self::THUMBNAILS_FOLDER . PATH_SEPARATOR . $fileid . PATH_SEPARATOR . $x . '-' . $y . '.png')); + //create transparent background layer + $transparentlayer = imagecreatetruecolor($x, $y); + $black = imagecolorallocate($transparentlayer, 0, 0, 0); + $image = $image->resource(); + imagecolortransparent($transparentlayer, $black); - break; - } - - return $preview; - } - - /** - * @brief return a preview of a file - * @param $file The path to the file where you want a thumbnail from - * @param $maxX The maximum X size of the thumbnail. It can be smaller depending on the shape of the image - * @param $maxY The maximum Y size of the thumbnail. It can be smaller depending on the shape of the image - * @param $scaleup Scale smaller images up to the thumbnail size or not. Might look ugly - * @return image - */ - public static function showPreview($file, $maxX, $maxY, $scalingup = true, $fontsize = 12){ - OCP\Response::enableCaching(3600 * 24); // 24 hour - $preview = self::getPreview($file, $maxX, $maxY, $scalingup, $fontsize); - $preview->show(); - } - - /** - * @brief check whether or not providers and views are initialized and initialize if not - * @return void - */ - private static function init(){ - if(empty(self::$providers)){ - self::initProviders(); - } - if(is_null(self::$fileview)){ - self::initViews(); + $mergeX = floor(abs($x - $newXsize) * 0.5); + $mergeY = floor(abs($y - $newYsize) * 0.5); + + imagecopymerge($transparentlayer, $image, $mergeX, $mergeY, 0, 0, $newXsize, $newYsize, 100); + + $image = new \OC_Image($transparentlayer); + + $this->preview = $image; + return; } } @@ -236,48 +470,75 @@ class OC_Preview { self::$providers[$object->getMimeType()] = $object; } - + $keys = array_map('strlen', array_keys(self::$providers)); array_multisort($keys, SORT_DESC, self::$providers); } /** - * @brief initialize a new \OC\Files\View object + * @brief method that handles preview requests from users that are logged in * @return void */ - private static function initViews(){ - if(is_null(self::$fileview)){ - //does this work with LDAP? - self::$fileview = new OC\Files\View(OC_User::getUser()); - } - } - public static function previewRouter($params){ - self::init(); + OC_Util::checkLoggedIn(); - $file = (string) urldecode($_GET['file']); - $maxX = (int) $_GET['x']; - $maxY = (int) $_GET['y']; - $scalingup = (bool) $_GET['scalingup']; + $file = ''; + $maxX = 0; + $maxY = 0; + /* + * use: ?scalingup=0 / ?scalingup = 1 + * do not use ?scalingup=false / ?scalingup = true as these will always be true + */ + $scalingup = false; - $path = 'files/' . $file; + if(array_key_exists('file', $_GET)) $file = (string) urldecode($_GET['file']); + if(array_key_exists('x', $_GET)) $maxX = (int) $_GET['x']; + if(array_key_exists('y', $_GET)) $maxY = (int) $_GET['y']; + if(array_key_exists('scalingup', $_GET)) $scalingup = (bool) $_GET['scalingup']; - if($maxX === 0 || $maxY === 0){ - OC_Log::write('core', 'Can not create preview with 0px width or 0px height', OC_Log::DEBUG); + if($file !== '' && $maxX !== 0 && $maxY !== 0){ + $preview = new OC_Preview(OC_User::getUser(), 'files', $file, $maxX, $maxY, $scalingup); + $preview->showPreview(); + }else{ + OC_Response::setStatus(404); exit; } + } + + /** + * @brief method that handles preview requests from users that are not logged in / view shared folders that are public + * @return void + */ + public static function publicPreviewRouter($params){ + $file = ''; + $maxX = 0; + $maxY = 0; + $scalingup = false; + $token = ''; + + $user = null; + $path = null; - var_dump(self::$fileview->file_exists($path)); - var_dump(self::$fileview->getDirectoryContent()); - var_dump(self::$fileview->getDirectoryContent('files/')); - var_dump($path); - var_dump(self::$fileview->filesize($path)); - var_dump(self::$fileview->getAbsolutePath('/')); + if(array_key_exists('file', $_GET)) $file = (string) urldecode($_GET['file']); + if(array_key_exists('x', $_GET)) $maxX = (int) $_GET['x']; + if(array_key_exists('y', $_GET)) $maxY = (int) $_GET['y']; + if(array_key_exists('scalingup', $_GET)) $scalingup = (bool) $_GET['scalingup']; + if(array_key_exists('t', $_GET)) $token = (string) $_GET['t']; - if(!self::$fileview->filesize($path)){ - OC_Response::setStatus(OC_Response::STATUS_NOT_FOUND); + $linkItem = OCP\Share::getShareByToken($token); + if (is_array($linkItem) && isset($linkItem['uid_owner']) && isset($linkItem['file_source'])) { + $userid = $linkItem['uid_owner']; + OC_Util::setupFS($fileOwner); + $path = $linkItem['file_source']; + } + + if($user !== null && $path !== null){ + $preview = new OC_Preview($userid, $path, $file, $maxX, $maxY, $scalingup); + $preview->showPreview(); + }else{ + OC_Response::setStatus(404); + exit; } - self::showPreview($file, $maxX, $maxY, $scalingup); } } \ No newline at end of file diff --git a/lib/preview/images.php b/lib/preview/images.php index 6b6e8e3599f..6766cdb2148 100644 --- a/lib/preview/images.php +++ b/lib/preview/images.php @@ -12,60 +12,15 @@ class OC_Preview_Image extends OC_Preview_Provider{ return '/image\/.*/'; } - public static function getThumbnail($path,$maxX,$maxY,$scalingup) { - - $thumbnails_view = new \OC_FilesystemView('/'.\OCP\User::getUser() .'/'.OC_Preview::THUMBNAILS_FOLDER); - - // is a preview already in the cache? - if ($thumbnails_view->file_exists($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup)) { - return new \OC_Image($thumbnails_view->getLocalFile($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup)); - } - - // does the sourcefile exist? - if (!\OC_Filesystem::file_exists($path)) { - \OC_Log::write('Preview', 'File '.$path.' don\'t exists', \OC_Log::WARN); - return false; - } - - // open the source image + public function getThumbnail($path,$maxX,$maxY,$scalingup,$fileview) { + //new image object $image = new \OC_Image(); - $image->loadFromFile(\OC_Filesystem::getLocalFile($path)); + $image->loadFromFile($fileview->getLocalFile($path)); + //check if image object is valid if (!$image->valid()) return false; - // fix the orientation - $image->fixOrientation(); - - // calculate the right preview size - $Xsize=$image->width(); - $Ysize=$image->height(); - if (($Xsize/$Ysize)>($maxX/$maxY)) { - $factor=$maxX/$Xsize; - } else { - $factor=$maxY/$Ysize; - } - - // only scale up if requested - if($scalingup==false) { - if($factor>1) $factor=1; - } - $newXsize=$Xsize*$factor; - $newYsize=$Ysize*$factor; - - // resize - $ret = $image->preciseResize($newXsize, $newYsize); - if (!$ret) { - \OC_Log::write('Preview', 'Couldn\'t resize image', \OC_Log::ERROR); - unset($image); - return false; - } - - // store in cache - $l = $thumbnails_view->getLocalFile($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup); - $image->save($l); - return $image; } - } OC_Preview::registerProvider('OC_Preview_Image'); \ No newline at end of file diff --git a/lib/preview/movies.php b/lib/preview/movies.php index afa27c0b143..c994240424c 100644 --- a/lib/preview/movies.php +++ b/lib/preview/movies.php @@ -6,7 +6,7 @@ * later. * See the COPYING-README file. */ -if(!is_null(shell_exec('ffmpeg'))){ +if(!is_null(shell_exec('ffmpeg -version'))){ class OC_Preview_Movie extends OC_Preview_Provider{ @@ -14,7 +14,7 @@ if(!is_null(shell_exec('ffmpeg'))){ return '/video\/.*/'; } - public static function getThumbnail($path,$maxX,$maxY,$scalingup) { + public function getThumbnail($path,$maxX,$maxY,$scalingup,$fileview) { $thumbnails_view = new \OC_FilesystemView('/'.\OCP\User::getUser() .'/'.OC_Preview::THUMBNAILS_FOLDER); // is a preview already in the cache? diff --git a/lib/preview/mp3.php b/lib/preview/mp3.php index 645e6fa6232..2481e743783 100644 --- a/lib/preview/mp3.php +++ b/lib/preview/mp3.php @@ -1 +1,20 @@ -///audio\/mpeg/ \ No newline at end of file +getLocalFile($path) . '[0]'); + $pdf->setImageFormat('png'); + + //new image object + $image = new \OC_Image(); + $image->loadFromFile($fileview->getLocalFile($path)); + //check if image object is valid + if (!$image->valid()) return false; + + return $image; + } +} + +OC_Preview::registerProvider('OC_Preview_PDF'); \ No newline at end of file diff --git a/lib/preview/provider.php b/lib/preview/provider.php index c45edbba44d..e9264030144 100644 --- a/lib/preview/provider.php +++ b/lib/preview/provider.php @@ -16,5 +16,5 @@ abstract class OC_Preview_Provider{ * @param string $query * @return */ - abstract public function getThumbnail($path, $maxX, $maxY, $scalingup); + abstract public function getThumbnail($path, $maxX, $maxY, $scalingup,$fileview); } diff --git a/lib/preview/unknown.php b/lib/preview/unknown.php index 1cd270db687..5089a56d671 100644 --- a/lib/preview/unknown.php +++ b/lib/preview/unknown.php @@ -12,7 +12,7 @@ class OC_Preview_Unknown extends OC_Preview_Provider{ return '/.*/'; } - public static function getThumbnail($maxX,$maxY) { + public function getThumbnail($path, $maxX, $maxY, $scalingup,$fileview) { // check if GD is installed if(!extension_loaded('gd') || !function_exists('gd_info')) { OC_Log::write('preview', __METHOD__.'(): GD module not installed', OC_Log::ERROR); -- GitLab From 837c6ed597f1c549cac5b0b439b257d81ea02b1d Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Fri, 17 May 2013 09:43:25 +0200 Subject: [PATCH 008/415] implement pdf preview backend --- lib/preview/pdf.php | 7 +++---- 1 file changed, 3 insertions(+), 4 deletions(-) diff --git a/lib/preview/pdf.php b/lib/preview/pdf.php index d86ad643914..695f8569538 100644 --- a/lib/preview/pdf.php +++ b/lib/preview/pdf.php @@ -14,11 +14,10 @@ class OC_Preview_PDF extends OC_Preview_Provider{ public function getThumbnail($path, $maxX, $maxY, $scalingup,$fileview) { //create imagick object from pdf $pdf = new imagick($fileview->getLocalFile($path) . '[0]'); - $pdf->setImageFormat('png'); - + $pdf->setImageFormat('jpg'); + //new image object - $image = new \OC_Image(); - $image->loadFromFile($fileview->getLocalFile($path)); + $image = new \OC_Image($pdf); //check if image object is valid if (!$image->valid()) return false; -- GitLab From 8dba46912d19bf976b24e0c097368f2e56ccb97b Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Fri, 17 May 2013 11:28:49 +0200 Subject: [PATCH 009/415] Disable transparent backgrounds for now --- lib/preview.php | 14 +++++++++----- 1 file changed, 9 insertions(+), 5 deletions(-) diff --git a/lib/preview.php b/lib/preview.php index c062a068872..44b551006f1 100755 --- a/lib/preview.php +++ b/lib/preview.php @@ -427,17 +427,21 @@ class OC_Preview { $newYsize = (int) $image->height(); //create transparent background layer - $transparentlayer = imagecreatetruecolor($x, $y); - $black = imagecolorallocate($transparentlayer, 0, 0, 0); + $backgroundlayer = imagecreatetruecolor($x, $y); + $white = imagecolorallocate($backgroundlayer, 255, 255, 255); + imagefill($backgroundlayer, 0, 0, $white); + $image = $image->resource(); - imagecolortransparent($transparentlayer, $black); $mergeX = floor(abs($x - $newXsize) * 0.5); $mergeY = floor(abs($y - $newYsize) * 0.5); - imagecopymerge($transparentlayer, $image, $mergeX, $mergeY, 0, 0, $newXsize, $newYsize, 100); + imagecopy($backgroundlayer, $image, $mergeX, $mergeY, 0, 0, $newXsize, $newYsize); + + //$black = imagecolorallocate(0,0,0); + //imagecolortransparent($transparentlayer, $black); - $image = new \OC_Image($transparentlayer); + $image = new \OC_Image($backgroundlayer); $this->preview = $image; return; -- GitLab From f29b8cf68531844c23c45a210e280769a8cece73 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Fri, 17 May 2013 11:30:44 +0200 Subject: [PATCH 010/415] set default value of scalingup to true --- lib/preview.php | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/lib/preview.php b/lib/preview.php index 44b551006f1..3b6e0ae131e 100755 --- a/lib/preview.php +++ b/lib/preview.php @@ -53,7 +53,7 @@ class OC_Preview { * false if thumbnail does not exist * path to thumbnail if thumbnail exists */ - public function __construct($user = null, $root = '', $file = '', $maxX = 0, $maxY = 0, $scalingup = false){ + public function __construct($user = null, $root = '', $file = '', $maxX = 0, $maxY = 0, $scalingup = true){ //set config $this->max_x = OC_Config::getValue('preview_max_x', null); $this->max_y = OC_Config::getValue('preview_max_y', null); @@ -493,7 +493,7 @@ class OC_Preview { * use: ?scalingup=0 / ?scalingup = 1 * do not use ?scalingup=false / ?scalingup = true as these will always be true */ - $scalingup = false; + $scalingup = true; if(array_key_exists('file', $_GET)) $file = (string) urldecode($_GET['file']); if(array_key_exists('x', $_GET)) $maxX = (int) $_GET['x']; @@ -517,7 +517,7 @@ class OC_Preview { $file = ''; $maxX = 0; $maxY = 0; - $scalingup = false; + $scalingup = true; $token = ''; $user = null; -- GitLab From 04a4234b9eba85dc1a2f690c12e6a59381a74a54 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Fri, 17 May 2013 11:32:42 +0200 Subject: [PATCH 011/415] implement mp3 preview backend --- lib/preview/mp3.php | 18 +++++++++++++++++- 1 file changed, 17 insertions(+), 1 deletion(-) diff --git a/lib/preview/mp3.php b/lib/preview/mp3.php index 2481e743783..f5fac0b8366 100644 --- a/lib/preview/mp3.php +++ b/lib/preview/mp3.php @@ -5,14 +5,30 @@ * later. * See the COPYING-README file. */ +require_once('getid3/getid3.php'); + class OC_Preview_MP3 extends OC_Preview_Provider{ public function getMimeType(){ return '/audio\/mpeg/'; } - public function getThumbnail($path, $maxX, $maxY, $scalingup, $fileview) { + public function getThumbnail($path, $maxX, $maxY, $scalingup, $fileview) { + $getID3 = new getID3(); + //Todo - add stream support + $tags = $getID3->analyze($fileview->getLocalFile($path)); + getid3_lib::CopyTagsToComments($tags); + $picture = @$tags['id3v2']['APIC'][0]['data']; + + $image = new \OC_Image($picture); + if (!$image->valid()) return $this->getNoCoverThumbnail($maxX, $maxY); + return $image; + } + + public function getNoCoverThumbnail($maxX, $maxY){ + $image = new \OC_Image(); + return $image; } } -- GitLab From 8b39a085121fae7823046f209eecc3484cf5c936 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Fri, 17 May 2013 12:00:32 +0200 Subject: [PATCH 012/415] fix typo --- lib/preview/images.php | 2 +- lib/preview/movies.php | 2 +- lib/preview/mp3.php | 2 +- lib/preview/pdf.php | 2 +- lib/preview/unknown.php | 2 +- 5 files changed, 5 insertions(+), 5 deletions(-) diff --git a/lib/preview/images.php b/lib/preview/images.php index 6766cdb2148..589c7d829d5 100644 --- a/lib/preview/images.php +++ b/lib/preview/images.php @@ -1,7 +1,7 @@ Date: Fri, 17 May 2013 15:06:37 +0200 Subject: [PATCH 013/415] implement movie previews --- lib/preview/movies.php | 33 +++++++++++---------------------- 1 file changed, 11 insertions(+), 22 deletions(-) diff --git a/lib/preview/movies.php b/lib/preview/movies.php index 1f0ceb3ace3..868755a1205 100644 --- a/lib/preview/movies.php +++ b/lib/preview/movies.php @@ -7,7 +7,6 @@ * See the COPYING-README file. */ if(!is_null(shell_exec('ffmpeg -version'))){ - class OC_Preview_Movie extends OC_Preview_Provider{ public function getMimeType(){ @@ -15,28 +14,18 @@ if(!is_null(shell_exec('ffmpeg -version'))){ } public function getThumbnail($path,$maxX,$maxY,$scalingup,$fileview) { - $thumbnails_view = new \OC_FilesystemView('/'.\OCP\User::getUser() .'/'.OC_Preview::THUMBNAILS_FOLDER); - - // is a preview already in the cache? - if ($thumbnails_view->file_exists($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup)) { - return new \OC_Image($thumbnails_view->getLocalFile($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup)); - } - - // does the sourcefile exist? - if (!\OC_Filesystem::file_exists($path)) { - \OC_Log::write('Preview', 'File '.$path.' don\'t exists', \OC_Log::WARN); - return false; - } - - // call ffmpeg to do the screenshot - shell_exec('ffmpeg -y -i {'.escapeshellarg($path).'} -f mjpeg -vframes 1 -ss 1 -s {'.escapeshellarg($maxX).'}x{'.escapeshellarg($maxY).'} {.'.$thumbnails_view->getLocalFile($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup).'}'); - - // output the generated Preview - $thumbnails_view->getLocalFile($path.'-'.$maxX.'-'.$maxY.'-'.$scalingup); - unset($thumbnails_view); + $abspath = $fileview->getLocalfile($path); + + $tmppath = OC_Helper::tmpFile(); + + $cmd = 'ffmpeg -y -i ' . escapeshellarg($abspath) . ' -f mjpeg -vframes 1 -ss 1 -s ' . escapeshellarg($maxX) . 'x' . escapeshellarg($maxY) . ' ' . $tmppath; + shell_exec($cmd); + + $image = new \OC_Image($tmppath); + if (!$image->valid()) return false; + + return $image; } - } - OC_Preview::registerProvider('OC_Preview_Movie'); } \ No newline at end of file -- GitLab From dd06387a9c65dfaf8d95e6545586f7a042bfd44e Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Fri, 17 May 2013 19:08:16 +0200 Subject: [PATCH 014/415] remove whitespace --- lib/preview.php | 79 ++++++++++++++++++++-------------------- lib/preview/images.php | 2 +- lib/preview/movies.php | 10 ++--- lib/preview/mp3.php | 2 +- lib/preview/pdf.php | 2 +- lib/preview/provider.php | 2 +- lib/preview/unknown.php | 21 +++-------- 7 files changed, 53 insertions(+), 65 deletions(-) diff --git a/lib/preview.php b/lib/preview.php index 3b6e0ae131e..d6c72603524 100755 --- a/lib/preview.php +++ b/lib/preview.php @@ -20,7 +20,7 @@ require_once('preview/unknown.php'); class OC_Preview { //the thumbnail folder const THUMBNAILS_FOLDER = 'thumbnails'; - + //config private $max_scale_factor; private $max_x; @@ -35,7 +35,7 @@ class OC_Preview { private $maxX; private $maxY; private $scalingup; - + private $preview; //preview providers @@ -58,7 +58,7 @@ class OC_Preview { $this->max_x = OC_Config::getValue('preview_max_x', null); $this->max_y = OC_Config::getValue('preview_max_y', null); $this->max_scale_factor = OC_Config::getValue('preview_max_scale_factor', 10); - + //save parameters $this->file = $file; $this->maxX = $maxX; @@ -112,7 +112,7 @@ class OC_Preview { throw new Exception('Height and/or width set to 0'); } } - + /** * @brief returns the path of the file you want a thumbnail from * @return string @@ -120,7 +120,7 @@ class OC_Preview { public function getFile(){ return $this->file; } - + /** * @brief returns the max width of the preview * @return integer @@ -136,7 +136,7 @@ class OC_Preview { public function getMaxY(){ return $this->maxY; } - + /** * @brief returns whether or not scalingup is enabled * @return bool @@ -144,7 +144,7 @@ class OC_Preview { public function getScalingup(){ return $this->scalingup; } - + /** * @brief returns the name of the thumbnailfolder * @return string @@ -176,7 +176,7 @@ class OC_Preview { public function getConfigMaxY(){ return $this->max_y; } - + /** * @brief deletes previews of a file with specific x and y * @return bool @@ -303,27 +303,27 @@ class OC_Preview { $this->preview = $image; }else{ $mimetype = $this->fileview->getMimeType($file); - + $preview; - + foreach(self::$providers as $supportedmimetype => $provider){ if(!preg_match($supportedmimetype, $mimetype)){ continue; } - + $preview = $provider->getThumbnail($file, $maxX, $maxY, $scalingup, $this->fileview); if(!$preview){ continue; } - + if(!($preview instanceof \OC_Image)){ $preview = @new \OC_Image($preview); } - + //cache thumbnail $preview->save($this->userview->getLocalFile(self::THUMBNAILS_FOLDER . '/' . $fileid . '/' . $maxX . '-' . $maxY . '.png')); - + break; } $this->preview = $preview; @@ -396,12 +396,12 @@ class OC_Preview { // resize $image->preciseResize($newXsize, $newYsize); - + if($newXsize === $x && $newYsize === $y){ $this->preview = $image; return; } - + if($newXsize >= $x && $newYsize >= $y){ $cropX = floor(abs($x - $newXsize) * 0.5); $cropY = floor(abs($y - $newYsize) * 0.5); @@ -411,38 +411,38 @@ class OC_Preview { $this->preview = $image; return; } - + if($newXsize < $x || $newYsize < $y){ if($newXsize > $x){ $cropX = floor(($newXsize - $x) * 0.5); $image->crop($cropX, 0, $x, $newYsize); } - + if($newYsize > $y){ $cropY = floor(($newYsize - $y) * 0.5); $image->crop(0, $cropY, $newXsize, $y); } - + $newXsize = (int) $image->width(); $newYsize = (int) $image->height(); - + //create transparent background layer $backgroundlayer = imagecreatetruecolor($x, $y); $white = imagecolorallocate($backgroundlayer, 255, 255, 255); imagefill($backgroundlayer, 0, 0, $white); - + $image = $image->resource(); - + $mergeX = floor(abs($x - $newXsize) * 0.5); $mergeY = floor(abs($y - $newYsize) * 0.5); - + imagecopy($backgroundlayer, $image, $mergeX, $mergeY, 0, 0, $newXsize, $newYsize); - + //$black = imagecolorallocate(0,0,0); //imagecolortransparent($transparentlayer, $black); - + $image = new \OC_Image($backgroundlayer); - + $this->preview = $image; return; } @@ -465,27 +465,27 @@ class OC_Preview { if(count(self::$providers)>0) { return; } - + foreach(self::$registeredProviders as $provider) { $class=$provider['class']; $options=$provider['options']; - + $object = new $class($options); - + self::$providers[$object->getMimeType()] = $object; } - + $keys = array_map('strlen', array_keys(self::$providers)); array_multisort($keys, SORT_DESC, self::$providers); } - + /** * @brief method that handles preview requests from users that are logged in * @return void */ public static function previewRouter($params){ OC_Util::checkLoggedIn(); - + $file = ''; $maxX = 0; $maxY = 0; @@ -494,12 +494,12 @@ class OC_Preview { * do not use ?scalingup=false / ?scalingup = true as these will always be true */ $scalingup = true; - + if(array_key_exists('file', $_GET)) $file = (string) urldecode($_GET['file']); if(array_key_exists('x', $_GET)) $maxX = (int) $_GET['x']; if(array_key_exists('y', $_GET)) $maxY = (int) $_GET['y']; if(array_key_exists('scalingup', $_GET)) $scalingup = (bool) $_GET['scalingup']; - + if($file !== '' && $maxX !== 0 && $maxY !== 0){ $preview = new OC_Preview(OC_User::getUser(), 'files', $file, $maxX, $maxY, $scalingup); $preview->showPreview(); @@ -508,7 +508,7 @@ class OC_Preview { exit; } } - + /** * @brief method that handles preview requests from users that are not logged in / view shared folders that are public * @return void @@ -519,23 +519,23 @@ class OC_Preview { $maxY = 0; $scalingup = true; $token = ''; - + $user = null; $path = null; - + if(array_key_exists('file', $_GET)) $file = (string) urldecode($_GET['file']); if(array_key_exists('x', $_GET)) $maxX = (int) $_GET['x']; if(array_key_exists('y', $_GET)) $maxY = (int) $_GET['y']; if(array_key_exists('scalingup', $_GET)) $scalingup = (bool) $_GET['scalingup']; if(array_key_exists('t', $_GET)) $token = (string) $_GET['t']; - + $linkItem = OCP\Share::getShareByToken($token); if (is_array($linkItem) && isset($linkItem['uid_owner']) && isset($linkItem['file_source'])) { $userid = $linkItem['uid_owner']; OC_Util::setupFS($fileOwner); $path = $linkItem['file_source']; } - + if($user !== null && $path !== null){ $preview = new OC_Preview($userid, $path, $file, $maxX, $maxY, $scalingup); $preview->showPreview(); @@ -543,6 +543,5 @@ class OC_Preview { OC_Response::setStatus(404); exit; } - } } \ No newline at end of file diff --git a/lib/preview/images.php b/lib/preview/images.php index 589c7d829d5..a0df337d58e 100644 --- a/lib/preview/images.php +++ b/lib/preview/images.php @@ -11,7 +11,7 @@ class OC_Preview_Image extends OC_Preview_Provider{ public function getMimeType(){ return '/image\/.*/'; } - + public function getThumbnail($path,$maxX,$maxY,$scalingup,$fileview) { //new image object $image = new \OC_Image(); diff --git a/lib/preview/movies.php b/lib/preview/movies.php index 868755a1205..8144956c998 100644 --- a/lib/preview/movies.php +++ b/lib/preview/movies.php @@ -12,18 +12,18 @@ if(!is_null(shell_exec('ffmpeg -version'))){ public function getMimeType(){ return '/video\/.*/'; } - + public function getThumbnail($path,$maxX,$maxY,$scalingup,$fileview) { $abspath = $fileview->getLocalfile($path); - + $tmppath = OC_Helper::tmpFile(); - + $cmd = 'ffmpeg -y -i ' . escapeshellarg($abspath) . ' -f mjpeg -vframes 1 -ss 1 -s ' . escapeshellarg($maxX) . 'x' . escapeshellarg($maxY) . ' ' . $tmppath; shell_exec($cmd); - + $image = new \OC_Image($tmppath); if (!$image->valid()) return false; - + return $image; } } diff --git a/lib/preview/mp3.php b/lib/preview/mp3.php index 5194e165818..6fb4b051f41 100644 --- a/lib/preview/mp3.php +++ b/lib/preview/mp3.php @@ -25,7 +25,7 @@ class OC_Preview_MP3 extends OC_Preview_Provider{ return $image; } - + public function getNoCoverThumbnail($maxX, $maxY){ $image = new \OC_Image(); return $image; diff --git a/lib/preview/pdf.php b/lib/preview/pdf.php index f1b7f3eee73..bf1d8b2b3b5 100644 --- a/lib/preview/pdf.php +++ b/lib/preview/pdf.php @@ -15,7 +15,7 @@ class OC_Preview_PDF extends OC_Preview_Provider{ //create imagick object from pdf $pdf = new imagick($fileview->getLocalFile($path) . '[0]'); $pdf->setImageFormat('jpg'); - + //new image object $image = new \OC_Image($pdf); //check if image object is valid diff --git a/lib/preview/provider.php b/lib/preview/provider.php index e9264030144..2f2a0e68486 100644 --- a/lib/preview/provider.php +++ b/lib/preview/provider.php @@ -8,7 +8,7 @@ abstract class OC_Preview_Provider{ public function __construct($options) { $this->options=$options; } - + abstract public function getMimeType(); /** diff --git a/lib/preview/unknown.php b/lib/preview/unknown.php index 746b0ebb47a..290c18a72d7 100644 --- a/lib/preview/unknown.php +++ b/lib/preview/unknown.php @@ -12,23 +12,12 @@ class OC_Preview_Unknown extends OC_Preview_Provider{ return '/.*/'; } - public function getThumbnail($path, $maxX, $maxY, $scalingup,$fileview) { - // check if GD is installed - if(!extension_loaded('gd') || !function_exists('gd_info')) { - OC_Log::write('preview', __METHOD__.'(): GD module not installed', OC_Log::ERROR); - return false; - } - - // create a white image - $image = imagecreatetruecolor($maxX, $maxY); - $color = imagecolorallocate($image, 255, 255, 255); - imagefill($image, 0, 0, $color); - - // output the image - imagepng($image); - imagedestroy($image); - } + public function getThumbnail($path, $maxX, $maxY, $scalingup,$fileview) { + + $mimetype = $this->fileview->getMimeType($file); + return new \OC_Image(); + } } OC_Preview::registerProvider('OC_Preview_Unknown'); \ No newline at end of file -- GitLab From 13c6ef1ba9c3f857150679d164852d8724ab946f Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Tue, 21 May 2013 12:23:31 +0200 Subject: [PATCH 015/415] add svg backend --- lib/preview.php | 1 + lib/preview/svg.php | 28 ++++++++++++++++++++++++++++ 2 files changed, 29 insertions(+) create mode 100644 lib/preview/svg.php diff --git a/lib/preview.php b/lib/preview.php index d6c72603524..572c85057be 100755 --- a/lib/preview.php +++ b/lib/preview.php @@ -15,6 +15,7 @@ require_once('preview/images.php'); require_once('preview/movies.php'); require_once('preview/mp3.php'); require_once('preview/pdf.php'); +require_once('preview/svg.php'); require_once('preview/unknown.php'); class OC_Preview { diff --git a/lib/preview/svg.php b/lib/preview/svg.php new file mode 100644 index 00000000000..12b93f696ea --- /dev/null +++ b/lib/preview/svg.php @@ -0,0 +1,28 @@ +readImageBlob($fileview->file_get_contents($path)); + $svg->setImageFormat('jpg'); + + //new image object + $image = new \OC_Image($svg); + //check if image object is valid + if (!$image->valid()) return false; + + return $image; + } +} + +OC_Preview::registerProvider('OC_Preview_SVG'); \ No newline at end of file -- GitLab From 00985068ca249f4087f9f5b634e628afb8e8f7b1 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 22 May 2013 15:12:25 +0200 Subject: [PATCH 016/415] add previews for public files --- core/routes.php | 2 ++ lib/preview.php | 24 +++++++++++++++++++----- lib/preview/unknown.php | 10 ++++++---- 3 files changed, 27 insertions(+), 9 deletions(-) diff --git a/core/routes.php b/core/routes.php index be5766cea9d..c45ffee26fd 100644 --- a/core/routes.php +++ b/core/routes.php @@ -44,6 +44,8 @@ $this->create('core_ajax_routes', '/core/routes.json') ->action('OC_Router', 'JSRoutes'); $this->create('core_ajax_preview', '/core/preview.png') ->action('OC_Preview', 'previewRouter'); +$this->create('core_ajax_public_preview', '/core/publicpreview.png') + ->action('OC_Preview', 'publicPreviewRouter'); OC::$CLASSPATH['OC_Core_LostPassword_Controller'] = 'core/lostpassword/controller.php'; $this->create('core_lostpassword_index', '/lostpassword/') ->get() diff --git a/lib/preview.php b/lib/preview.php index 572c85057be..39a87ed5396 100755 --- a/lib/preview.php +++ b/lib/preview.php @@ -529,16 +529,30 @@ class OC_Preview { if(array_key_exists('y', $_GET)) $maxY = (int) $_GET['y']; if(array_key_exists('scalingup', $_GET)) $scalingup = (bool) $_GET['scalingup']; if(array_key_exists('t', $_GET)) $token = (string) $_GET['t']; - + $linkItem = OCP\Share::getShareByToken($token); + if (is_array($linkItem) && isset($linkItem['uid_owner']) && isset($linkItem['file_source'])) { $userid = $linkItem['uid_owner']; - OC_Util::setupFS($fileOwner); - $path = $linkItem['file_source']; + OC_Util::setupFS($userid); + $pathid = $linkItem['file_source']; + $path = \OC\Files\Filesystem::getPath($pathid); + } + + //clean up file parameter + $file = \OC\Files\Filesystem::normalizePath($file); + if(!\OC\Files\Filesystem::isValidPath($file)){ + OC_Response::setStatus(403); + exit; + } + + $path = \OC\Files\Filesystem::normalizePath($path, false); + if(substr($path, 0, 1) == '/'){ + $path = substr($path, 1); } - if($user !== null && $path !== null){ - $preview = new OC_Preview($userid, $path, $file, $maxX, $maxY, $scalingup); + if($userid !== null && $path !== null){ + $preview = new OC_Preview($userid, 'files/' . $path, $file, $maxX, $maxY, $scalingup); $preview->showPreview(); }else{ OC_Response::setStatus(404); diff --git a/lib/preview/unknown.php b/lib/preview/unknown.php index 290c18a72d7..5bbdcf847f1 100644 --- a/lib/preview/unknown.php +++ b/lib/preview/unknown.php @@ -13,11 +13,13 @@ class OC_Preview_Unknown extends OC_Preview_Provider{ } public function getThumbnail($path, $maxX, $maxY, $scalingup,$fileview) { - - - $mimetype = $this->fileview->getMimeType($file); + /*$mimetype = $fileview->getMimeType($path); + $info = $fileview->getFileInfo($path); + $name = array_key_exists('name', $info) ? $info['name'] : ''; + $size = array_key_exists('size', $info) ? $info['size'] : 0; + $isencrypted = array_key_exists('encrypted', $info) ? $info['encrypted'] : false;*/ // show little lock return new \OC_Image(); } } -OC_Preview::registerProvider('OC_Preview_Unknown'); \ No newline at end of file +OC_Preview::registerProvider('OC_Preview_Unknown'); -- GitLab From 1bed3253abfc627a6dd698fc62a617285c1d7c84 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Sat, 25 May 2013 11:05:37 +0200 Subject: [PATCH 017/415] add sample config for previews --- config/config.sample.php | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/config/config.sample.php b/config/config.sample.php index 72834009201..db6eaf852af 100644 --- a/config/config.sample.php +++ b/config/config.sample.php @@ -183,4 +183,12 @@ $CONFIG = array( 'customclient_desktop' => '', //http://owncloud.org/sync-clients/ 'customclient_android' => '', //https://play.google.com/store/apps/details?id=com.owncloud.android 'customclient_ios' => '' //https://itunes.apple.com/us/app/owncloud/id543672169?mt=8 + +// PREVIEW +/* the max width of a generated preview, if value is null, there is no limit */ +'preview_max_x' => null, +/* the max height of a generated preview, if value is null, there is no limit */ +'preview_max_y' => null, +/* the max factor to scale a preview, default is set to 10 */ +'preview_max_scale_factor' => 10, ); -- GitLab From f78e00209692d28253b91a432eb02d432c96a695 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Mon, 27 May 2013 10:45:21 +0200 Subject: [PATCH 018/415] make image preview backend work with encryption --- lib/preview/images.php | 5 ++--- 1 file changed, 2 insertions(+), 3 deletions(-) diff --git a/lib/preview/images.php b/lib/preview/images.php index a0df337d58e..52aad67ca8b 100644 --- a/lib/preview/images.php +++ b/lib/preview/images.php @@ -14,11 +14,10 @@ class OC_Preview_Image extends OC_Preview_Provider{ public function getThumbnail($path,$maxX,$maxY,$scalingup,$fileview) { //new image object - $image = new \OC_Image(); - $image->loadFromFile($fileview->getLocalFile($path)); + $image = new \OC_Image($fileview->fopen($path, 'r')); //check if image object is valid if (!$image->valid()) return false; - + return $image; } } -- GitLab From 62411965f9ccfbe66584e91bc325d156e08196d2 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Mon, 27 May 2013 11:09:55 +0200 Subject: [PATCH 019/415] make svg preview backend work with encryption --- lib/preview/svg.php | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/lib/preview/svg.php b/lib/preview/svg.php index 12b93f696ea..8f4697dce04 100644 --- a/lib/preview/svg.php +++ b/lib/preview/svg.php @@ -13,7 +13,8 @@ class OC_Preview_SVG extends OC_Preview_Provider{ public function getThumbnail($path,$maxX,$maxY,$scalingup,$fileview) { $svg = new Imagick(); - $svg->readImageBlob($fileview->file_get_contents($path)); + $svg->setResolution($maxX, $maxY); + $svg->readImageBlob('' . $fileview->file_get_contents($path)); $svg->setImageFormat('jpg'); //new image object -- GitLab From 005d8e98706fc98d8dc5aa4927bb3ab0e6b00ac2 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Tue, 28 May 2013 10:21:02 +0200 Subject: [PATCH 020/415] update images.php --- lib/preview/images.php | 15 ++++++++++++--- 1 file changed, 12 insertions(+), 3 deletions(-) diff --git a/lib/preview/images.php b/lib/preview/images.php index 52aad67ca8b..a8f203528c5 100644 --- a/lib/preview/images.php +++ b/lib/preview/images.php @@ -13,11 +13,20 @@ class OC_Preview_Image extends OC_Preview_Provider{ } public function getThumbnail($path,$maxX,$maxY,$scalingup,$fileview) { - //new image object - $image = new \OC_Image($fileview->fopen($path, 'r')); + //get fileinfo + $fileinfo = $fileview->getFileInfo($path); + + //check if file is encrypted + if($fileinfo['encrypted'] === true){ + $image = new \OC_Image($fileview->fopen($path, 'r')); + }else{ + $image = new \OC_Image(); + $image->loadFromFile($fileview->getLocalFile($path)); + } + //check if image object is valid if (!$image->valid()) return false; - + return $image; } } -- GitLab From 707f52f1dbb063595541331f94b3796f0f96ce9a Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Tue, 28 May 2013 10:23:40 +0200 Subject: [PATCH 021/415] check if the imagick extension is loaded --- lib/preview/svg.php | 36 ++++++++++++++++++++---------------- 1 file changed, 20 insertions(+), 16 deletions(-) diff --git a/lib/preview/svg.php b/lib/preview/svg.php index 8f4697dce04..415b7751c2b 100644 --- a/lib/preview/svg.php +++ b/lib/preview/svg.php @@ -5,25 +5,29 @@ * later. * See the COPYING-README file. */ -class OC_Preview_SVG extends OC_Preview_Provider{ +if (extension_loaded('imagick')){ - public function getMimeType(){ - return '/image\/svg\+xml/'; - } + class OC_Preview_SVG extends OC_Preview_Provider{ + + public function getMimeType(){ + return '/image\/svg\+xml/'; + } - public function getThumbnail($path,$maxX,$maxY,$scalingup,$fileview) { - $svg = new Imagick(); - $svg->setResolution($maxX, $maxY); - $svg->readImageBlob('' . $fileview->file_get_contents($path)); - $svg->setImageFormat('jpg'); + public function getThumbnail($path,$maxX,$maxY,$scalingup,$fileview) { + $svg = new Imagick(); + $svg->setResolution($maxX, $maxY); + $svg->readImageBlob('' . $fileview->file_get_contents($path)); + $svg->setImageFormat('jpg'); - //new image object - $image = new \OC_Image($svg); - //check if image object is valid - if (!$image->valid()) return false; + //new image object + $image = new \OC_Image($svg); + //check if image object is valid + if (!$image->valid()) return false; - return $image; + return $image; + } } -} -OC_Preview::registerProvider('OC_Preview_SVG'); \ No newline at end of file + OC_Preview::registerProvider('OC_Preview_SVG'); + +} \ No newline at end of file -- GitLab From 5ae1333c76fd1331e21fff0fc7343888c473c8d4 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Tue, 28 May 2013 11:29:01 +0200 Subject: [PATCH 022/415] add preview backend for text based files --- lib/preview/txt.php | 49 +++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 49 insertions(+) create mode 100644 lib/preview/txt.php diff --git a/lib/preview/txt.php b/lib/preview/txt.php new file mode 100644 index 00000000000..2b5d8edb893 --- /dev/null +++ b/lib/preview/txt.php @@ -0,0 +1,49 @@ +fopen($path, 'r'); + $content = stream_get_contents($content); + + $lines = preg_split("/\r\n|\n|\r/", $content); + $numoflines = count($lines); + + $fontsize = 5; //5px + $linesize = ceil($fontsize * 1.25); + + $image = imagecreate($maxX, $maxY); + $imagecolor = imagecolorallocate($image, 255, 255, 255); + $textcolor = imagecolorallocate($image, 0, 0, 0); + + foreach($lines as $index => $line){ + $index = $index + 1; + + $x = (int) 1; + $y = (int) ($index * $linesize) - $fontsize; + + imagestring($image, 1, $x, $y, $line, $textcolor); + + if(($index * $linesize) >= $maxY){ + break; + } + } + + $image = new \OC_Image($image); + + if (!$image->valid()) return false; + + return $image; + } +} + +OC_Preview::registerProvider('OC_Preview_TXT'); \ No newline at end of file -- GitLab From 7555332d58c6e684cfbde72d5676e8e1902ae4f3 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Tue, 28 May 2013 11:31:48 +0200 Subject: [PATCH 023/415] remove whitespace --- lib/preview/txt.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/preview/txt.php b/lib/preview/txt.php index 2b5d8edb893..1e88aec69fd 100644 --- a/lib/preview/txt.php +++ b/lib/preview/txt.php @@ -39,7 +39,7 @@ class OC_Preview_TXT extends OC_Preview_Provider{ } $image = new \OC_Image($image); - + if (!$image->valid()) return false; return $image; -- GitLab From 4d52dfb0a0517a7fd52d20572085aba2ec0e4ad0 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Tue, 28 May 2013 11:48:02 +0200 Subject: [PATCH 024/415] make movie backend work with encryption --- lib/preview/movies.php | 9 ++++++++- 1 file changed, 8 insertions(+), 1 deletion(-) diff --git a/lib/preview/movies.php b/lib/preview/movies.php index 8144956c998..1e517b38182 100644 --- a/lib/preview/movies.php +++ b/lib/preview/movies.php @@ -14,18 +14,25 @@ if(!is_null(shell_exec('ffmpeg -version'))){ } public function getThumbnail($path,$maxX,$maxY,$scalingup,$fileview) { - $abspath = $fileview->getLocalfile($path); + //get fileinfo + $fileinfo = $fileview->getFileInfo($path); + $abspath = $fileview->toTmpFile($path); $tmppath = OC_Helper::tmpFile(); $cmd = 'ffmpeg -y -i ' . escapeshellarg($abspath) . ' -f mjpeg -vframes 1 -ss 1 -s ' . escapeshellarg($maxX) . 'x' . escapeshellarg($maxY) . ' ' . $tmppath; shell_exec($cmd); + unlink($abspath); + $image = new \OC_Image($tmppath); if (!$image->valid()) return false; + unlink($tmppath); + return $image; } } + OC_Preview::registerProvider('OC_Preview_Movie'); } \ No newline at end of file -- GitLab From 738cc48a85f48f8dca2b42d5667d6662810a688b Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Tue, 28 May 2013 11:49:18 +0200 Subject: [PATCH 025/415] make mp3 backend work with encryption --- lib/preview/mp3.php | 13 +++++++++---- 1 file changed, 9 insertions(+), 4 deletions(-) diff --git a/lib/preview/mp3.php b/lib/preview/mp3.php index 6fb4b051f41..18f5cfde375 100644 --- a/lib/preview/mp3.php +++ b/lib/preview/mp3.php @@ -14,15 +14,20 @@ class OC_Preview_MP3 extends OC_Preview_Provider{ } public function getThumbnail($path, $maxX, $maxY, $scalingup, $fileview) { - $getID3 = new getID3(); + $getID3 = new getID3(); + + $tmppath = $fileview->toTmpFile($path); + //Todo - add stream support - $tags = $getID3->analyze($fileview->getLocalFile($path)); + $tags = $getID3->analyze($tmppath); getid3_lib::CopyTagsToComments($tags); $picture = @$tags['id3v2']['APIC'][0]['data']; - + + unlink($tmppath); + $image = new \OC_Image($picture); if (!$image->valid()) return $this->getNoCoverThumbnail($maxX, $maxY); - + return $image; } -- GitLab From 55b00fe819079d78224989eee91d5886233738ab Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Tue, 28 May 2013 11:59:20 +0200 Subject: [PATCH 026/415] make pdf backend work with encryption --- lib/preview/pdf.php | 37 ++++++++++++++++++++++--------------- 1 file changed, 22 insertions(+), 15 deletions(-) diff --git a/lib/preview/pdf.php b/lib/preview/pdf.php index bf1d8b2b3b5..de5263f91d8 100644 --- a/lib/preview/pdf.php +++ b/lib/preview/pdf.php @@ -5,24 +5,31 @@ * later. * See the COPYING-README file. */ -class OC_Preview_PDF extends OC_Preview_Provider{ +if (extension_loaded('imagick')){ - public function getMimeType(){ - return '/application\/pdf/'; - } + class OC_Preview_PDF extends OC_Preview_Provider{ + + public function getMimeType(){ + return '/application\/pdf/'; + } + + public function getThumbnail($path, $maxX, $maxY, $scalingup, $fileview) { + $tmppath = $fileview->toTmpFile($path); - public function getThumbnail($path, $maxX, $maxY, $scalingup,$fileview) { - //create imagick object from pdf - $pdf = new imagick($fileview->getLocalFile($path) . '[0]'); - $pdf->setImageFormat('jpg'); + //create imagick object from pdf + $pdf = new imagick($tmppath . '[0]'); + $pdf->setImageFormat('jpg'); - //new image object - $image = new \OC_Image($pdf); - //check if image object is valid - if (!$image->valid()) return false; + unlink($tmppath); - return $image; + //new image object + $image = new \OC_Image($pdf); + //check if image object is valid + if (!$image->valid()) return false; + + return $image; + } } -} -OC_Preview::registerProvider('OC_Preview_PDF'); \ No newline at end of file + OC_Preview::registerProvider('OC_Preview_PDF'); +} -- GitLab From 08a022aaa48a6bae95ff75204a763a7c16a8253e Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Tue, 28 May 2013 12:09:46 +0200 Subject: [PATCH 027/415] don't give ffmpeg wanted size, cause it doesn't care about aspect ratio --- lib/preview/movies.php | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/lib/preview/movies.php b/lib/preview/movies.php index 1e517b38182..d2aaf730d67 100644 --- a/lib/preview/movies.php +++ b/lib/preview/movies.php @@ -20,7 +20,8 @@ if(!is_null(shell_exec('ffmpeg -version'))){ $abspath = $fileview->toTmpFile($path); $tmppath = OC_Helper::tmpFile(); - $cmd = 'ffmpeg -y -i ' . escapeshellarg($abspath) . ' -f mjpeg -vframes 1 -ss 1 -s ' . escapeshellarg($maxX) . 'x' . escapeshellarg($maxY) . ' ' . $tmppath; + //$cmd = 'ffmpeg -y -i ' . escapeshellarg($abspath) . ' -f mjpeg -vframes 1 -ss 1 -s ' . escapeshellarg($maxX) . 'x' . escapeshellarg($maxY) . ' ' . $tmppath; + $cmd = 'ffmpeg -y -i ' . escapeshellarg($abspath) . ' -f mjpeg -vframes 1 -ss 1 ' . $tmppath; shell_exec($cmd); unlink($abspath); -- GitLab From a03787bc422563d129359d34673eb361b0173f51 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Tue, 28 May 2013 16:04:39 +0200 Subject: [PATCH 028/415] make preview cache work with encryption and improve error handling --- lib/preview.php | 40 +++++++++++++++++++++++++++++----------- 1 file changed, 29 insertions(+), 11 deletions(-) diff --git a/lib/preview.php b/lib/preview.php index 39a87ed5396..6fc166b9c70 100755 --- a/lib/preview.php +++ b/lib/preview.php @@ -16,6 +16,7 @@ require_once('preview/movies.php'); require_once('preview/mp3.php'); require_once('preview/pdf.php'); require_once('preview/svg.php'); +require_once('preview/txt.php'); require_once('preview/unknown.php'); class OC_Preview { @@ -300,7 +301,7 @@ class OC_Preview { $cached = self::isCached(); if($cached){ - $image = new \OC_Image($this->userview->getLocalFile($cached)); + $image = new \OC_Image($this->userview->file_get_contents($cached, 'r')); $this->preview = $image; }else{ $mimetype = $this->fileview->getMimeType($file); @@ -313,17 +314,22 @@ class OC_Preview { } $preview = $provider->getThumbnail($file, $maxX, $maxY, $scalingup, $this->fileview); - + if(!$preview){ continue; } - if(!($preview instanceof \OC_Image)){ - $preview = @new \OC_Image($preview); + //are there any cached thumbnails yet + if($this->userview->is_dir(self::THUMBNAILS_FOLDER . '/') === false){ + $this->userview->mkdir(self::THUMBNAILS_FOLDER . '/'); } //cache thumbnail - $preview->save($this->userview->getLocalFile(self::THUMBNAILS_FOLDER . '/' . $fileid . '/' . $maxX . '-' . $maxY . '.png')); + $cachepath = self::THUMBNAILS_FOLDER . '/' . $fileid . '/' . $maxX . '-' . $maxY . '.png'; + if($this->userview->is_dir(self::THUMBNAILS_FOLDER . '/' . $fileid . '/') === false){ + $this->userview->mkdir(self::THUMBNAILS_FOLDER . '/' . $fileid . '/'); + } + $this->userview->file_put_contents($cachepath, $preview->data()); break; } @@ -354,13 +360,13 @@ class OC_Preview { * @return image */ public function resizeAndCrop(){ + $this->preview->fixOrientation(); + $image = $this->preview; $x = $this->maxX; $y = $this->maxY; $scalingup = $this->scalingup; - $image->fixOrientation(); - if(!($image instanceof \OC_Image)){ OC_Log::write('core', 'Object passed to resizeAndCrop is not an instance of OC_Image', OC_Log::DEBUG); return; @@ -502,8 +508,14 @@ class OC_Preview { if(array_key_exists('scalingup', $_GET)) $scalingup = (bool) $_GET['scalingup']; if($file !== '' && $maxX !== 0 && $maxY !== 0){ - $preview = new OC_Preview(OC_User::getUser(), 'files', $file, $maxX, $maxY, $scalingup); - $preview->showPreview(); + try{ + $preview = new OC_Preview(OC_User::getUser(), 'files', $file, $maxX, $maxY, $scalingup); + $preview->showPreview(); + }catch(Exception $e){ + OC_Response::setStatus(404); + OC_Log::write('core', $e->getmessage(), OC_Log::ERROR); + exit; + } }else{ OC_Response::setStatus(404); exit; @@ -552,8 +564,14 @@ class OC_Preview { } if($userid !== null && $path !== null){ - $preview = new OC_Preview($userid, 'files/' . $path, $file, $maxX, $maxY, $scalingup); - $preview->showPreview(); + try{ + $preview = new OC_Preview($userid, 'files/' . $path, $file, $maxX, $maxY, $scalingup); + $preview->showPreview(); + }catch(Exception $e){ + OC_Response::setStatus(404); + OC_Log::write('core', $e->getmessage(), OC_Log::ERROR); + exit; + } }else{ OC_Response::setStatus(404); exit; -- GitLab From eebc15dce0da88dff91dc5249938341cd50b8a85 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 29 May 2013 12:01:43 +0200 Subject: [PATCH 029/415] connect preview lib to filesystem hooks --- lib/base.php | 9 ++++ lib/preview.php | 106 ++++++++++++++++++++++++++++-------------------- 2 files changed, 71 insertions(+), 44 deletions(-) diff --git a/lib/base.php b/lib/base.php index 724bd250a5c..ae384225bed 100644 --- a/lib/base.php +++ b/lib/base.php @@ -474,6 +474,7 @@ class OC { self::registerCacheHooks(); self::registerFilesystemHooks(); + self::registerPreviewHooks(); self::registerShareHooks(); //make sure temporary files are cleaned up @@ -539,6 +540,14 @@ class OC { OC_Hook::connect('OC_Filesystem', 'rename', 'OC_Filesystem', 'isBlacklisted'); } + /** + * register hooks for previews + */ + public static function registerPreviewHooks() { + OC_Hook::connect('OC_Filesystem', 'post_write', 'OC_Preview', 'post_write'); + OC_Hook::connect('OC_Filesystem', 'delete', 'OC_Preview', 'post_delete'); + } + /** * register hooks for sharing */ diff --git a/lib/preview.php b/lib/preview.php index 6fc166b9c70..7c4db971dfb 100755 --- a/lib/preview.php +++ b/lib/preview.php @@ -55,7 +55,7 @@ class OC_Preview { * false if thumbnail does not exist * path to thumbnail if thumbnail exists */ - public function __construct($user = null, $root = '', $file = '', $maxX = 0, $maxY = 0, $scalingup = true){ + public function __construct($user = null, $root = '', $file = '', $maxX = 0, $maxY = 0, $scalingup = true, $force = false){ //set config $this->max_x = OC_Config::getValue('preview_max_x', null); $this->max_y = OC_Config::getValue('preview_max_y', null); @@ -71,47 +71,49 @@ class OC_Preview { $this->fileview = new \OC\Files\View('/' . $user . '/' . $root); $this->userview = new \OC\Files\View('/' . $user); - if(!is_null($this->max_x)){ - if($this->maxX > $this->max_x){ - OC_Log::write('core', 'maxX reduced from ' . $this->maxX . ' to ' . $this->max_x, OC_Log::DEBUG); - $this->maxX = $this->max_x; + if($force !== true){ + if(!is_null($this->max_x)){ + if($this->maxX > $this->max_x){ + OC_Log::write('core', 'maxX reduced from ' . $this->maxX . ' to ' . $this->max_x, OC_Log::DEBUG); + $this->maxX = $this->max_x; + } } - } - - if(!is_null($this->max_y)){ - if($this->maxY > $this->max_y){ - OC_Log::write('core', 'maxY reduced from ' . $this->maxY . ' to ' . $this->max_y, OC_Log::DEBUG); - $this->maxY = $this->max_y; + + if(!is_null($this->max_y)){ + if($this->maxY > $this->max_y){ + OC_Log::write('core', 'maxY reduced from ' . $this->maxY . ' to ' . $this->max_y, OC_Log::DEBUG); + $this->maxY = $this->max_y; + } + } + + //init providers + if(empty(self::$providers)){ + self::initProviders(); + } + + //check if there are any providers at all + if(empty(self::$providers)){ + OC_Log::write('core', 'No preview providers exist', OC_Log::ERROR); + throw new Exception('No providers'); + } + + //validate parameters + if($file === ''){ + OC_Log::write('core', 'No filename passed', OC_Log::ERROR); + throw new Exception('File not found'); + } + + //check if file exists + if(!$this->fileview->file_exists($file)){ + OC_Log::write('core', 'File:"' . $file . '" not found', OC_Log::ERROR); + throw new Exception('File not found'); + } + + //check if given size makes sense + if($maxX === 0 || $maxY === 0){ + OC_Log::write('core', 'Can not create preview with 0px width or 0px height', OC_Log::ERROR); + throw new Exception('Height and/or width set to 0'); } - } - - //init providers - if(empty(self::$providers)){ - self::initProviders(); - } - - //check if there are any providers at all - if(empty(self::$providers)){ - OC_Log::write('core', 'No preview providers exist', OC_Log::ERROR); - throw new Exception('No providers'); - } - - //validate parameters - if($file === ''){ - OC_Log::write('core', 'No filename passed', OC_Log::ERROR); - throw new Exception('File not found'); - } - - //check if file exists - if(!$this->fileview->file_exists($file)){ - OC_Log::write('core', 'File:"' . $file . '" not found', OC_Log::ERROR); - throw new Exception('File not found'); - } - - //check if given size makes sense - if($maxX === 0 || $maxY === 0){ - OC_Log::write('core', 'Can not create preview with 0px width or 0px height', OC_Log::ERROR); - throw new Exception('Height and/or width set to 0'); } } @@ -186,19 +188,22 @@ class OC_Preview { public function deletePreview(){ $fileinfo = $this->fileview->getFileInfo($this->file); $fileid = $fileinfo['fileid']; - - return $this->userview->unlink(self::THUMBNAILS_FOLDER . '/' . $fileid . '/' . $this->maxX . '-' . $this->maxY . '.png'); + + $this->userview->unlink(self::THUMBNAILS_FOLDER . '/' . $fileid . '/' . $this->maxX . '-' . $this->maxY . '.png'); + return; } /** * @brief deletes all previews of a file * @return bool */ - public function deleteAllPrevies(){ + public function deleteAllPreviews(){ $fileinfo = $this->fileview->getFileInfo($this->file); $fileid = $fileinfo['fileid']; - return $this->userview->rmdir(self::THUMBNAILS_FOLDER . '/' . $fileid); + $this->userview->deleteAll(self::THUMBNAILS_FOLDER . '/' . $fileid . '/'); + $this->userview->rmdir(self::THUMBNAILS_FOLDER . '/' . $fileid . '/'); + return; } /** @@ -577,4 +582,17 @@ class OC_Preview { exit; } } + + public static function post_write($args){ + self::post_delete($args); + } + + public static function post_delete($args){ + $path = $args['path']; + if(substr($path, 0, 1) == '/'){ + $path = substr($path, 1); + } + $preview = new OC_Preview(OC_User::getUser(), 'files/', $path, 0, 0, false, true); + $preview->deleteAllPreviews(); + } } \ No newline at end of file -- GitLab From fa6b96090abc341da4f9320af02ee75b29a204e6 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 29 May 2013 12:33:24 +0200 Subject: [PATCH 030/415] move to OC namespace --- core/routes.php | 4 +-- lib/base.php | 4 +-- lib/preview.php | 64 +++++++++++++++++++++------------------- lib/preview/images.php | 6 ++-- lib/preview/movies.php | 8 +++-- lib/preview/mp3.php | 10 ++++--- lib/preview/pdf.php | 8 +++-- lib/preview/provider.php | 4 ++- lib/preview/svg.php | 16 +++++++--- lib/preview/txt.php | 6 ++-- lib/preview/unknown.php | 6 ++-- 11 files changed, 80 insertions(+), 56 deletions(-) diff --git a/core/routes.php b/core/routes.php index c45ffee26fd..4b3ad53da01 100644 --- a/core/routes.php +++ b/core/routes.php @@ -43,9 +43,9 @@ $this->create('js_config', '/core/js/config.js') $this->create('core_ajax_routes', '/core/routes.json') ->action('OC_Router', 'JSRoutes'); $this->create('core_ajax_preview', '/core/preview.png') - ->action('OC_Preview', 'previewRouter'); + ->action('OC\Preview', 'previewRouter'); $this->create('core_ajax_public_preview', '/core/publicpreview.png') - ->action('OC_Preview', 'publicPreviewRouter'); + ->action('OC\Preview', 'publicPreviewRouter'); OC::$CLASSPATH['OC_Core_LostPassword_Controller'] = 'core/lostpassword/controller.php'; $this->create('core_lostpassword_index', '/lostpassword/') ->get() diff --git a/lib/base.php b/lib/base.php index ae384225bed..525b259f673 100644 --- a/lib/base.php +++ b/lib/base.php @@ -544,8 +544,8 @@ class OC { * register hooks for previews */ public static function registerPreviewHooks() { - OC_Hook::connect('OC_Filesystem', 'post_write', 'OC_Preview', 'post_write'); - OC_Hook::connect('OC_Filesystem', 'delete', 'OC_Preview', 'post_delete'); + OC_Hook::connect('OC_Filesystem', 'post_write', 'OC\Preview', 'post_write'); + OC_Hook::connect('OC_Filesystem', 'delete', 'OC\Preview', 'post_delete'); } /** diff --git a/lib/preview.php b/lib/preview.php index 7c4db971dfb..31812035c49 100755 --- a/lib/preview.php +++ b/lib/preview.php @@ -11,6 +11,8 @@ * /data/user/thumbnails/pathhash/x-y.png * */ +namespace OC; + require_once('preview/images.php'); require_once('preview/movies.php'); require_once('preview/mp3.php'); @@ -19,7 +21,7 @@ require_once('preview/svg.php'); require_once('preview/txt.php'); require_once('preview/unknown.php'); -class OC_Preview { +class Preview { //the thumbnail folder const THUMBNAILS_FOLDER = 'thumbnails'; @@ -57,9 +59,9 @@ class OC_Preview { */ public function __construct($user = null, $root = '', $file = '', $maxX = 0, $maxY = 0, $scalingup = true, $force = false){ //set config - $this->max_x = OC_Config::getValue('preview_max_x', null); - $this->max_y = OC_Config::getValue('preview_max_y', null); - $this->max_scale_factor = OC_Config::getValue('preview_max_scale_factor', 10); + $this->max_x = \OC_Config::getValue('preview_max_x', null); + $this->max_y = \OC_Config::getValue('preview_max_y', null); + $this->max_scale_factor = \OC_Config::getValue('preview_max_scale_factor', 10); //save parameters $this->file = $file; @@ -74,14 +76,14 @@ class OC_Preview { if($force !== true){ if(!is_null($this->max_x)){ if($this->maxX > $this->max_x){ - OC_Log::write('core', 'maxX reduced from ' . $this->maxX . ' to ' . $this->max_x, OC_Log::DEBUG); + \OC_Log::write('core', 'maxX reduced from ' . $this->maxX . ' to ' . $this->max_x, \OC_Log::DEBUG); $this->maxX = $this->max_x; } } if(!is_null($this->max_y)){ if($this->maxY > $this->max_y){ - OC_Log::write('core', 'maxY reduced from ' . $this->maxY . ' to ' . $this->max_y, OC_Log::DEBUG); + \OC_Log::write('core', 'maxY reduced from ' . $this->maxY . ' to ' . $this->max_y, \OC_Log::DEBUG); $this->maxY = $this->max_y; } } @@ -93,26 +95,26 @@ class OC_Preview { //check if there are any providers at all if(empty(self::$providers)){ - OC_Log::write('core', 'No preview providers exist', OC_Log::ERROR); - throw new Exception('No providers'); + \OC_Log::write('core', 'No preview providers exist', \OC_Log::ERROR); + throw new \Exception('No providers'); } //validate parameters if($file === ''){ - OC_Log::write('core', 'No filename passed', OC_Log::ERROR); - throw new Exception('File not found'); + \OC_Log::write('core', 'No filename passed', \OC_Log::ERROR); + throw new \Exception('File not found'); } //check if file exists if(!$this->fileview->file_exists($file)){ - OC_Log::write('core', 'File:"' . $file . '" not found', OC_Log::ERROR); - throw new Exception('File not found'); + \OC_Log::write('core', 'File:"' . $file . '" not found', \OC_Log::ERROR); + throw new \Exception('File not found'); } //check if given size makes sense if($maxX === 0 || $maxY === 0){ - OC_Log::write('core', 'Can not create preview with 0px width or 0px height', OC_Log::ERROR); - throw new Exception('Height and/or width set to 0'); + \OC_Log::write('core', 'Can not create preview with 0px width or 0px height', \OC_Log::ERROR); + throw new \Exception('Height and/or width set to 0'); } } } @@ -353,7 +355,7 @@ class OC_Preview { * @return void */ public function showPreview(){ - OCP\Response::enableCaching(3600 * 24); // 24 hour + \OCP\Response::enableCaching(3600 * 24); // 24 hour $preview = $this->getPreview(); if($preview){ $preview->show(); @@ -373,7 +375,7 @@ class OC_Preview { $scalingup = $this->scalingup; if(!($image instanceof \OC_Image)){ - OC_Log::write('core', 'Object passed to resizeAndCrop is not an instance of OC_Image', OC_Log::DEBUG); + OC_Log::write('core', 'Object passed to resizeAndCrop is not an instance of OC_Image', \OC_Log::DEBUG); return; } @@ -399,7 +401,7 @@ class OC_Preview { } if(!is_null($this->max_scale_factor)){ if($factor > $this->max_scale_factor){ - OC_Log::write('core', 'scalefactor reduced from ' . $factor . ' to ' . $this->max_scale_factor, OC_Log::DEBUG); + \OC_Log::write('core', 'scalefactor reduced from ' . $factor . ' to ' . $this->max_scale_factor, \OC_Log::DEBUG); $factor = $this->max_scale_factor; } } @@ -462,7 +464,7 @@ class OC_Preview { /** * @brief register a new preview provider to be used - * @param string $provider class name of a OC_Preview_Provider + * @param string $provider class name of a Preview_Provider * @return void */ public static function registerProvider($class, $options=array()){ @@ -496,7 +498,7 @@ class OC_Preview { * @return void */ public static function previewRouter($params){ - OC_Util::checkLoggedIn(); + \OC_Util::checkLoggedIn(); $file = ''; $maxX = 0; @@ -514,15 +516,15 @@ class OC_Preview { if($file !== '' && $maxX !== 0 && $maxY !== 0){ try{ - $preview = new OC_Preview(OC_User::getUser(), 'files', $file, $maxX, $maxY, $scalingup); + $preview = new Preview(\OC_User::getUser(), 'files', $file, $maxX, $maxY, $scalingup); $preview->showPreview(); }catch(Exception $e){ - OC_Response::setStatus(404); - OC_Log::write('core', $e->getmessage(), OC_Log::ERROR); + \OC_Response::setStatus(404); + \OC_Log::write('core', $e->getmessage(), \OC_Log::ERROR); exit; } }else{ - OC_Response::setStatus(404); + \OC_Response::setStatus(404); exit; } } @@ -547,11 +549,11 @@ class OC_Preview { if(array_key_exists('scalingup', $_GET)) $scalingup = (bool) $_GET['scalingup']; if(array_key_exists('t', $_GET)) $token = (string) $_GET['t']; - $linkItem = OCP\Share::getShareByToken($token); + $linkItem = \OCP\Share::getShareByToken($token); if (is_array($linkItem) && isset($linkItem['uid_owner']) && isset($linkItem['file_source'])) { $userid = $linkItem['uid_owner']; - OC_Util::setupFS($userid); + \OC_Util::setupFS($userid); $pathid = $linkItem['file_source']; $path = \OC\Files\Filesystem::getPath($pathid); } @@ -559,7 +561,7 @@ class OC_Preview { //clean up file parameter $file = \OC\Files\Filesystem::normalizePath($file); if(!\OC\Files\Filesystem::isValidPath($file)){ - OC_Response::setStatus(403); + \OC_Response::setStatus(403); exit; } @@ -570,15 +572,15 @@ class OC_Preview { if($userid !== null && $path !== null){ try{ - $preview = new OC_Preview($userid, 'files/' . $path, $file, $maxX, $maxY, $scalingup); + $preview = new Preview($userid, 'files/' . $path, $file, $maxX, $maxY, $scalingup); $preview->showPreview(); }catch(Exception $e){ - OC_Response::setStatus(404); - OC_Log::write('core', $e->getmessage(), OC_Log::ERROR); + \OC_Response::setStatus(404); + \OC_Log::write('core', $e->getmessage(), \OC_Log::ERROR); exit; } }else{ - OC_Response::setStatus(404); + \OC_Response::setStatus(404); exit; } } @@ -592,7 +594,7 @@ class OC_Preview { if(substr($path, 0, 1) == '/'){ $path = substr($path, 1); } - $preview = new OC_Preview(OC_User::getUser(), 'files/', $path, 0, 0, false, true); + $preview = new Preview(\OC_User::getUser(), 'files/', $path, 0, 0, false, true); $preview->deleteAllPreviews(); } } \ No newline at end of file diff --git a/lib/preview/images.php b/lib/preview/images.php index a8f203528c5..c62fc5397e5 100644 --- a/lib/preview/images.php +++ b/lib/preview/images.php @@ -6,7 +6,9 @@ * later. * See the COPYING-README file. */ -class OC_Preview_Image extends OC_Preview_Provider{ +namespace OC\Preview; + +class Image extends Provider{ public function getMimeType(){ return '/image\/.*/'; @@ -31,4 +33,4 @@ class OC_Preview_Image extends OC_Preview_Provider{ } } -OC_Preview::registerProvider('OC_Preview_Image'); \ No newline at end of file +\OC\Preview::registerProvider('OC\Preview\Image'); \ No newline at end of file diff --git a/lib/preview/movies.php b/lib/preview/movies.php index d2aaf730d67..14ac97b552d 100644 --- a/lib/preview/movies.php +++ b/lib/preview/movies.php @@ -6,8 +6,10 @@ * later. * See the COPYING-README file. */ +namespace OC\Preview; + if(!is_null(shell_exec('ffmpeg -version'))){ - class OC_Preview_Movie extends OC_Preview_Provider{ + class Movie extends Provider{ public function getMimeType(){ return '/video\/.*/'; @@ -18,7 +20,7 @@ if(!is_null(shell_exec('ffmpeg -version'))){ $fileinfo = $fileview->getFileInfo($path); $abspath = $fileview->toTmpFile($path); - $tmppath = OC_Helper::tmpFile(); + $tmppath = \OC_Helper::tmpFile(); //$cmd = 'ffmpeg -y -i ' . escapeshellarg($abspath) . ' -f mjpeg -vframes 1 -ss 1 -s ' . escapeshellarg($maxX) . 'x' . escapeshellarg($maxY) . ' ' . $tmppath; $cmd = 'ffmpeg -y -i ' . escapeshellarg($abspath) . ' -f mjpeg -vframes 1 -ss 1 ' . $tmppath; @@ -35,5 +37,5 @@ if(!is_null(shell_exec('ffmpeg -version'))){ } } - OC_Preview::registerProvider('OC_Preview_Movie'); + \OC\Preview::registerProvider('OC\Preview\Movie'); } \ No newline at end of file diff --git a/lib/preview/mp3.php b/lib/preview/mp3.php index 18f5cfde375..d62c7230788 100644 --- a/lib/preview/mp3.php +++ b/lib/preview/mp3.php @@ -5,22 +5,24 @@ * later. * See the COPYING-README file. */ +namespace OC\Preview; + require_once('getid3/getid3.php'); -class OC_Preview_MP3 extends OC_Preview_Provider{ +class MP3 extends Provider{ public function getMimeType(){ return '/audio\/mpeg/'; } public function getThumbnail($path, $maxX, $maxY, $scalingup, $fileview) { - $getID3 = new getID3(); + $getID3 = new \getID3(); $tmppath = $fileview->toTmpFile($path); //Todo - add stream support $tags = $getID3->analyze($tmppath); - getid3_lib::CopyTagsToComments($tags); + \getid3_lib::CopyTagsToComments($tags); $picture = @$tags['id3v2']['APIC'][0]['data']; unlink($tmppath); @@ -38,4 +40,4 @@ class OC_Preview_MP3 extends OC_Preview_Provider{ } -OC_Preview::registerProvider('OC_Preview_MP3'); \ No newline at end of file +\OC\Preview::registerProvider('OC\Preview\MP3'); \ No newline at end of file diff --git a/lib/preview/pdf.php b/lib/preview/pdf.php index de5263f91d8..4dd4538545c 100644 --- a/lib/preview/pdf.php +++ b/lib/preview/pdf.php @@ -5,9 +5,11 @@ * later. * See the COPYING-README file. */ +namespace OC\Preview; + if (extension_loaded('imagick')){ - class OC_Preview_PDF extends OC_Preview_Provider{ + class PDF extends Provider{ public function getMimeType(){ return '/application\/pdf/'; @@ -17,7 +19,7 @@ if (extension_loaded('imagick')){ $tmppath = $fileview->toTmpFile($path); //create imagick object from pdf - $pdf = new imagick($tmppath . '[0]'); + $pdf = new \imagick($tmppath . '[0]'); $pdf->setImageFormat('jpg'); unlink($tmppath); @@ -31,5 +33,5 @@ if (extension_loaded('imagick')){ } } - OC_Preview::registerProvider('OC_Preview_PDF'); + \OC\Preview::registerProvider('OC\Preview\PDF'); } diff --git a/lib/preview/provider.php b/lib/preview/provider.php index 2f2a0e68486..1e8d537adc8 100644 --- a/lib/preview/provider.php +++ b/lib/preview/provider.php @@ -2,7 +2,9 @@ /** * provides search functionalty */ -abstract class OC_Preview_Provider{ +namespace OC\Preview; + +abstract class Provider{ private $options; public function __construct($options) { diff --git a/lib/preview/svg.php b/lib/preview/svg.php index 415b7751c2b..70be263189d 100644 --- a/lib/preview/svg.php +++ b/lib/preview/svg.php @@ -5,18 +5,26 @@ * later. * See the COPYING-README file. */ +namespace OC\Preview; + if (extension_loaded('imagick')){ - class OC_Preview_SVG extends OC_Preview_Provider{ + class SVG extends Provider{ public function getMimeType(){ return '/image\/svg\+xml/'; } public function getThumbnail($path,$maxX,$maxY,$scalingup,$fileview) { - $svg = new Imagick(); + $svg = new \Imagick(); $svg->setResolution($maxX, $maxY); - $svg->readImageBlob('' . $fileview->file_get_contents($path)); + + $content = stream_get_contents($fileview->fopen($path, 'r')); + if(substr($content, 0, 5) !== '' . $content; + } + + $svg->readImageBlob($content); $svg->setImageFormat('jpg'); //new image object @@ -28,6 +36,6 @@ if (extension_loaded('imagick')){ } } - OC_Preview::registerProvider('OC_Preview_SVG'); + \OC\Preview::registerProvider('OC\Preview\SVG'); } \ No newline at end of file diff --git a/lib/preview/txt.php b/lib/preview/txt.php index 1e88aec69fd..4004ecd3fce 100644 --- a/lib/preview/txt.php +++ b/lib/preview/txt.php @@ -5,7 +5,9 @@ * later. * See the COPYING-README file. */ -class OC_Preview_TXT extends OC_Preview_Provider{ +namespace OC\Preview; + +class TXT extends Provider{ public function getMimeType(){ return '/text\/.*/'; @@ -46,4 +48,4 @@ class OC_Preview_TXT extends OC_Preview_Provider{ } } -OC_Preview::registerProvider('OC_Preview_TXT'); \ No newline at end of file +\OC\Preview::registerProvider('OC\Preview\TXT'); \ No newline at end of file diff --git a/lib/preview/unknown.php b/lib/preview/unknown.php index 5bbdcf847f1..6a8d2fbb75c 100644 --- a/lib/preview/unknown.php +++ b/lib/preview/unknown.php @@ -6,7 +6,9 @@ * later. * See the COPYING-README file. */ -class OC_Preview_Unknown extends OC_Preview_Provider{ +namespace OC\Preview; + +class Unknown extends Provider{ public function getMimeType(){ return '/.*/'; @@ -22,4 +24,4 @@ class OC_Preview_Unknown extends OC_Preview_Provider{ } } -OC_Preview::registerProvider('OC_Preview_Unknown'); +\OC\Preview::registerProvider('OC\Preview\Unknown'); -- GitLab From 268246fac833837d7b9e7a6a2a4559cfadc0a7ab Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 29 May 2013 12:48:21 +0200 Subject: [PATCH 031/415] namespace fix --- lib/preview.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/preview.php b/lib/preview.php index 31812035c49..855d5a9da04 100755 --- a/lib/preview.php +++ b/lib/preview.php @@ -375,7 +375,7 @@ class Preview { $scalingup = $this->scalingup; if(!($image instanceof \OC_Image)){ - OC_Log::write('core', 'Object passed to resizeAndCrop is not an instance of OC_Image', \OC_Log::DEBUG); + \OC_Log::write('core', 'Object passed to resizeAndCrop is not an instance of OC_Image', \OC_Log::DEBUG); return; } -- GitLab From 7408ab660af2c681ca6abfb15d6230382f35dd7c Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 29 May 2013 13:03:33 +0200 Subject: [PATCH 032/415] respect coding style guidelines --- lib/preview.php | 136 +++++++++++++++++++-------------------- lib/preview/images.php | 6 +- lib/preview/movies.php | 6 +- lib/preview/mp3.php | 4 +- lib/preview/pdf.php | 4 +- lib/preview/provider.php | 2 +- lib/preview/svg.php | 6 +- lib/preview/txt.php | 8 +-- lib/preview/unknown.php | 4 +- 9 files changed, 88 insertions(+), 88 deletions(-) diff --git a/lib/preview.php b/lib/preview.php index 855d5a9da04..1150681e64f 100755 --- a/lib/preview.php +++ b/lib/preview.php @@ -57,7 +57,7 @@ class Preview { * false if thumbnail does not exist * path to thumbnail if thumbnail exists */ - public function __construct($user = null, $root = '', $file = '', $maxX = 0, $maxY = 0, $scalingup = true, $force = false){ + public function __construct($user=null, $root='', $file='', $maxX=0, $maxY=0, $scalingup=true, $force=false) { //set config $this->max_x = \OC_Config::getValue('preview_max_x', null); $this->max_y = \OC_Config::getValue('preview_max_y', null); @@ -73,46 +73,46 @@ class Preview { $this->fileview = new \OC\Files\View('/' . $user . '/' . $root); $this->userview = new \OC\Files\View('/' . $user); - if($force !== true){ - if(!is_null($this->max_x)){ - if($this->maxX > $this->max_x){ + if($force !== true) { + if(!is_null($this->max_x)) { + if($this->maxX > $this->max_x) { \OC_Log::write('core', 'maxX reduced from ' . $this->maxX . ' to ' . $this->max_x, \OC_Log::DEBUG); $this->maxX = $this->max_x; } } - if(!is_null($this->max_y)){ - if($this->maxY > $this->max_y){ + if(!is_null($this->max_y)) { + if($this->maxY > $this->max_y) { \OC_Log::write('core', 'maxY reduced from ' . $this->maxY . ' to ' . $this->max_y, \OC_Log::DEBUG); $this->maxY = $this->max_y; } } //init providers - if(empty(self::$providers)){ + if(empty(self::$providers)) { self::initProviders(); } //check if there are any providers at all - if(empty(self::$providers)){ + if(empty(self::$providers)) { \OC_Log::write('core', 'No preview providers exist', \OC_Log::ERROR); throw new \Exception('No providers'); } //validate parameters - if($file === ''){ + if($file === '') { \OC_Log::write('core', 'No filename passed', \OC_Log::ERROR); throw new \Exception('File not found'); } //check if file exists - if(!$this->fileview->file_exists($file)){ + if(!$this->fileview->file_exists($file)) { \OC_Log::write('core', 'File:"' . $file . '" not found', \OC_Log::ERROR); throw new \Exception('File not found'); } //check if given size makes sense - if($maxX === 0 || $maxY === 0){ + if($maxX === 0 || $maxY === 0) { \OC_Log::write('core', 'Can not create preview with 0px width or 0px height', \OC_Log::ERROR); throw new \Exception('Height and/or width set to 0'); } @@ -123,7 +123,7 @@ class Preview { * @brief returns the path of the file you want a thumbnail from * @return string */ - public function getFile(){ + public function getFile() { return $this->file; } @@ -131,7 +131,7 @@ class Preview { * @brief returns the max width of the preview * @return integer */ - public function getMaxX(){ + public function getMaxX() { return $this->maxX; } @@ -139,7 +139,7 @@ class Preview { * @brief returns the max height of the preview * @return integer */ - public function getMaxY(){ + public function getMaxY() { return $this->maxY; } @@ -147,7 +147,7 @@ class Preview { * @brief returns whether or not scalingup is enabled * @return bool */ - public function getScalingup(){ + public function getScalingup() { return $this->scalingup; } @@ -155,7 +155,7 @@ class Preview { * @brief returns the name of the thumbnailfolder * @return string */ - public function getThumbnailsfolder(){ + public function getThumbnailsfolder() { return self::THUMBNAILS_FOLDER; } @@ -163,7 +163,7 @@ class Preview { * @brief returns the max scale factor * @return integer */ - public function getMaxScaleFactor(){ + public function getMaxScaleFactor() { return $this->max_scale_factor; } @@ -171,7 +171,7 @@ class Preview { * @brief returns the max width set in ownCloud's config * @return integer */ - public function getConfigMaxX(){ + public function getConfigMaxX() { return $this->max_x; } @@ -179,7 +179,7 @@ class Preview { * @brief returns the max height set in ownCloud's config * @return integer */ - public function getConfigMaxY(){ + public function getConfigMaxY() { return $this->max_y; } @@ -187,7 +187,7 @@ class Preview { * @brief deletes previews of a file with specific x and y * @return bool */ - public function deletePreview(){ + public function deletePreview() { $fileinfo = $this->fileview->getFileInfo($this->file); $fileid = $fileinfo['fileid']; @@ -199,7 +199,7 @@ class Preview { * @brief deletes all previews of a file * @return bool */ - public function deleteAllPreviews(){ + public function deleteAllPreviews() { $fileinfo = $this->fileview->getFileInfo($this->file); $fileid = $fileinfo['fileid']; @@ -214,7 +214,7 @@ class Preview { * false if thumbnail does not exist * path to thumbnail if thumbnail exists */ - private function isCached(){ + private function isCached() { $file = $this->file; $maxX = $this->maxX; $maxY = $this->maxY; @@ -223,12 +223,12 @@ class Preview { $fileinfo = $this->fileview->getFileInfo($file); $fileid = $fileinfo['fileid']; - if(!$this->userview->is_dir(self::THUMBNAILS_FOLDER . '/' . $fileid)){ + if(!$this->userview->is_dir(self::THUMBNAILS_FOLDER . '/' . $fileid)) { return false; } //does a preview with the wanted height and width already exist? - if($this->userview->file_exists(self::THUMBNAILS_FOLDER . '/' . $fileid . '/' . $maxX . '-' . $maxY . '.png')){ + if($this->userview->file_exists(self::THUMBNAILS_FOLDER . '/' . $fileid . '/' . $maxX . '-' . $maxY . '.png')) { return self::THUMBNAILS_FOLDER . '/' . $fileid . '/' . $maxX . '-' . $maxY . '.png'; } @@ -238,20 +238,20 @@ class Preview { $possiblethumbnails = array(); $allthumbnails = $this->userview->getDirectoryContent(self::THUMBNAILS_FOLDER . '/' . $fileid); - foreach($allthumbnails as $thumbnail){ + foreach($allthumbnails as $thumbnail) { $size = explode('-', $thumbnail['name']); $x = $size[0]; $y = $size[1]; $aspectratio = $x / $y; - if($aspectratio != $wantedaspectratio){ + if($aspectratio != $wantedaspectratio) { continue; } - if($x < $maxX || $y < $maxY){ - if($scalingup){ + if($x < $maxX || $y < $maxY) { + if($scalingup) { $scalefactor = $maxX / $x; - if($scalefactor > $this->max_scale_factor){ + if($scalefactor > $this->max_scale_factor) { continue; } }else{ @@ -261,26 +261,26 @@ class Preview { $possiblethumbnails[$x] = $thumbnail['path']; } - if(count($possiblethumbnails) === 0){ + if(count($possiblethumbnails) === 0) { return false; } - if(count($possiblethumbnails) === 1){ + if(count($possiblethumbnails) === 1) { return current($possiblethumbnails); } ksort($possiblethumbnails); - if(key(reset($possiblethumbnails)) > $maxX){ + if(key(reset($possiblethumbnails)) > $maxX) { return current(reset($possiblethumbnails)); } - if(key(end($possiblethumbnails)) < $maxX){ + if(key(end($possiblethumbnails)) < $maxX) { return current(end($possiblethumbnails)); } - foreach($possiblethumbnails as $width => $path){ - if($width < $maxX){ + foreach($possiblethumbnails as $width => $path) { + if($width < $maxX) { continue; }else{ return $path; @@ -296,7 +296,7 @@ class Preview { * @param $scaleup Scale smaller images up to the thumbnail size or not. Might look ugly * @return image */ - public function getPreview(){ + public function getPreview() { $file = $this->file; $maxX = $this->maxX; $maxY = $this->maxY; @@ -307,7 +307,7 @@ class Preview { $cached = self::isCached(); - if($cached){ + if($cached) { $image = new \OC_Image($this->userview->file_get_contents($cached, 'r')); $this->preview = $image; }else{ @@ -315,25 +315,25 @@ class Preview { $preview; - foreach(self::$providers as $supportedmimetype => $provider){ - if(!preg_match($supportedmimetype, $mimetype)){ + foreach(self::$providers as $supportedmimetype => $provider) { + if(!preg_match($supportedmimetype, $mimetype)) { continue; } $preview = $provider->getThumbnail($file, $maxX, $maxY, $scalingup, $this->fileview); - if(!$preview){ + if(!$preview) { continue; } //are there any cached thumbnails yet - if($this->userview->is_dir(self::THUMBNAILS_FOLDER . '/') === false){ + if($this->userview->is_dir(self::THUMBNAILS_FOLDER . '/') === false) { $this->userview->mkdir(self::THUMBNAILS_FOLDER . '/'); } //cache thumbnail $cachepath = self::THUMBNAILS_FOLDER . '/' . $fileid . '/' . $maxX . '-' . $maxY . '.png'; - if($this->userview->is_dir(self::THUMBNAILS_FOLDER . '/' . $fileid . '/') === false){ + if($this->userview->is_dir(self::THUMBNAILS_FOLDER . '/' . $fileid . '/') === false) { $this->userview->mkdir(self::THUMBNAILS_FOLDER . '/' . $fileid . '/'); } $this->userview->file_put_contents($cachepath, $preview->data()); @@ -354,10 +354,10 @@ class Preview { * @param $scaleup Scale smaller images up to the thumbnail size or not. Might look ugly * @return void */ - public function showPreview(){ + public function showPreview() { \OCP\Response::enableCaching(3600 * 24); // 24 hour $preview = $this->getPreview(); - if($preview){ + if($preview) { $preview->show(); } } @@ -366,7 +366,7 @@ class Preview { * @brief resize, crop and fix orientation * @return image */ - public function resizeAndCrop(){ + public function resizeAndCrop() { $this->preview->fixOrientation(); $image = $this->preview; @@ -374,7 +374,7 @@ class Preview { $y = $this->maxY; $scalingup = $this->scalingup; - if(!($image instanceof \OC_Image)){ + if(!($image instanceof \OC_Image)) { \OC_Log::write('core', 'Object passed to resizeAndCrop is not an instance of OC_Image', \OC_Log::DEBUG); return; } @@ -382,14 +382,14 @@ class Preview { $realx = (int) $image->width(); $realy = (int) $image->height(); - if($x === $realx && $y === $realy){ + if($x === $realx && $y === $realy) { return $image; } $factorX = $x / $realx; $factorY = $y / $realy; - if($factorX >= $factorY){ + if($factorX >= $factorY) { $factor = $factorX; }else{ $factor = $factorY; @@ -399,8 +399,8 @@ class Preview { if($scalingup === false) { if($factor>1) $factor=1; } - if(!is_null($this->max_scale_factor)){ - if($factor > $this->max_scale_factor){ + if(!is_null($this->max_scale_factor)) { + if($factor > $this->max_scale_factor) { \OC_Log::write('core', 'scalefactor reduced from ' . $factor . ' to ' . $this->max_scale_factor, \OC_Log::DEBUG); $factor = $this->max_scale_factor; } @@ -411,12 +411,12 @@ class Preview { // resize $image->preciseResize($newXsize, $newYsize); - if($newXsize === $x && $newYsize === $y){ + if($newXsize === $x && $newYsize === $y) { $this->preview = $image; return; } - if($newXsize >= $x && $newYsize >= $y){ + if($newXsize >= $x && $newYsize >= $y) { $cropX = floor(abs($x - $newXsize) * 0.5); $cropY = floor(abs($y - $newYsize) * 0.5); @@ -426,13 +426,13 @@ class Preview { return; } - if($newXsize < $x || $newYsize < $y){ - if($newXsize > $x){ + if($newXsize < $x || $newYsize < $y) { + if($newXsize > $x) { $cropX = floor(($newXsize - $x) * 0.5); $image->crop($cropX, 0, $x, $newYsize); } - if($newYsize > $y){ + if($newYsize > $y) { $cropY = floor(($newYsize - $y) * 0.5); $image->crop(0, $cropY, $newXsize, $y); } @@ -467,7 +467,7 @@ class Preview { * @param string $provider class name of a Preview_Provider * @return void */ - public static function registerProvider($class, $options=array()){ + public static function registerProvider($class, $options=array()) { self::$registeredProviders[]=array('class'=>$class, 'options'=>$options); } @@ -475,7 +475,7 @@ class Preview { * @brief create instances of all the registered preview providers * @return void */ - private static function initProviders(){ + private static function initProviders() { if(count(self::$providers)>0) { return; } @@ -497,7 +497,7 @@ class Preview { * @brief method that handles preview requests from users that are logged in * @return void */ - public static function previewRouter($params){ + public static function previewRouter($params) { \OC_Util::checkLoggedIn(); $file = ''; @@ -514,11 +514,11 @@ class Preview { if(array_key_exists('y', $_GET)) $maxY = (int) $_GET['y']; if(array_key_exists('scalingup', $_GET)) $scalingup = (bool) $_GET['scalingup']; - if($file !== '' && $maxX !== 0 && $maxY !== 0){ + if($file !== '' && $maxX !== 0 && $maxY !== 0) { try{ $preview = new Preview(\OC_User::getUser(), 'files', $file, $maxX, $maxY, $scalingup); $preview->showPreview(); - }catch(Exception $e){ + }catch(Exception $e) { \OC_Response::setStatus(404); \OC_Log::write('core', $e->getmessage(), \OC_Log::ERROR); exit; @@ -533,7 +533,7 @@ class Preview { * @brief method that handles preview requests from users that are not logged in / view shared folders that are public * @return void */ - public static function publicPreviewRouter($params){ + public static function publicPreviewRouter($params) { $file = ''; $maxX = 0; $maxY = 0; @@ -560,21 +560,21 @@ class Preview { //clean up file parameter $file = \OC\Files\Filesystem::normalizePath($file); - if(!\OC\Files\Filesystem::isValidPath($file)){ + if(!\OC\Files\Filesystem::isValidPath($file)) { \OC_Response::setStatus(403); exit; } $path = \OC\Files\Filesystem::normalizePath($path, false); - if(substr($path, 0, 1) == '/'){ + if(substr($path, 0, 1) == '/') { $path = substr($path, 1); } - if($userid !== null && $path !== null){ + if($userid !== null && $path !== null) { try{ $preview = new Preview($userid, 'files/' . $path, $file, $maxX, $maxY, $scalingup); $preview->showPreview(); - }catch(Exception $e){ + }catch(Exception $e) { \OC_Response::setStatus(404); \OC_Log::write('core', $e->getmessage(), \OC_Log::ERROR); exit; @@ -585,13 +585,13 @@ class Preview { } } - public static function post_write($args){ + public static function post_write($args) { self::post_delete($args); } - public static function post_delete($args){ + public static function post_delete($args) { $path = $args['path']; - if(substr($path, 0, 1) == '/'){ + if(substr($path, 0, 1) == '/') { $path = substr($path, 1); } $preview = new Preview(\OC_User::getUser(), 'files/', $path, 0, 0, false, true); diff --git a/lib/preview/images.php b/lib/preview/images.php index c62fc5397e5..933d65ec59e 100644 --- a/lib/preview/images.php +++ b/lib/preview/images.php @@ -10,16 +10,16 @@ namespace OC\Preview; class Image extends Provider{ - public function getMimeType(){ + public function getMimeType() { return '/image\/.*/'; } - public function getThumbnail($path,$maxX,$maxY,$scalingup,$fileview) { + public function getThumbnail($path, $maxX, $maxY, $scalingup, $fileview) { //get fileinfo $fileinfo = $fileview->getFileInfo($path); //check if file is encrypted - if($fileinfo['encrypted'] === true){ + if($fileinfo['encrypted'] === true) { $image = new \OC_Image($fileview->fopen($path, 'r')); }else{ $image = new \OC_Image(); diff --git a/lib/preview/movies.php b/lib/preview/movies.php index 14ac97b552d..aa97c3f43fc 100644 --- a/lib/preview/movies.php +++ b/lib/preview/movies.php @@ -8,14 +8,14 @@ */ namespace OC\Preview; -if(!is_null(shell_exec('ffmpeg -version'))){ +if(!is_null(shell_exec('ffmpeg -version'))) { class Movie extends Provider{ - public function getMimeType(){ + public function getMimeType() { return '/video\/.*/'; } - public function getThumbnail($path,$maxX,$maxY,$scalingup,$fileview) { + public function getThumbnail($path, $maxX, $maxY, $scalingup, $fileview) { //get fileinfo $fileinfo = $fileview->getFileInfo($path); diff --git a/lib/preview/mp3.php b/lib/preview/mp3.php index d62c7230788..cfe78f32727 100644 --- a/lib/preview/mp3.php +++ b/lib/preview/mp3.php @@ -11,7 +11,7 @@ require_once('getid3/getid3.php'); class MP3 extends Provider{ - public function getMimeType(){ + public function getMimeType() { return '/audio\/mpeg/'; } @@ -33,7 +33,7 @@ class MP3 extends Provider{ return $image; } - public function getNoCoverThumbnail($maxX, $maxY){ + public function getNoCoverThumbnail($maxX, $maxY) { $image = new \OC_Image(); return $image; } diff --git a/lib/preview/pdf.php b/lib/preview/pdf.php index 4dd4538545c..66570b05aa4 100644 --- a/lib/preview/pdf.php +++ b/lib/preview/pdf.php @@ -7,11 +7,11 @@ */ namespace OC\Preview; -if (extension_loaded('imagick')){ +if (extension_loaded('imagick')) { class PDF extends Provider{ - public function getMimeType(){ + public function getMimeType() { return '/application\/pdf/'; } diff --git a/lib/preview/provider.php b/lib/preview/provider.php index 1e8d537adc8..58e7ad7f453 100644 --- a/lib/preview/provider.php +++ b/lib/preview/provider.php @@ -18,5 +18,5 @@ abstract class Provider{ * @param string $query * @return */ - abstract public function getThumbnail($path, $maxX, $maxY, $scalingup,$fileview); + abstract public function getThumbnail($path, $maxX, $maxY, $scalingup, $fileview); } diff --git a/lib/preview/svg.php b/lib/preview/svg.php index 70be263189d..746315d6e6a 100644 --- a/lib/preview/svg.php +++ b/lib/preview/svg.php @@ -7,11 +7,11 @@ */ namespace OC\Preview; -if (extension_loaded('imagick')){ +if (extension_loaded('imagick')) { class SVG extends Provider{ - public function getMimeType(){ + public function getMimeType() { return '/image\/svg\+xml/'; } @@ -20,7 +20,7 @@ if (extension_loaded('imagick')){ $svg->setResolution($maxX, $maxY); $content = stream_get_contents($fileview->fopen($path, 'r')); - if(substr($content, 0, 5) !== '' . $content; } diff --git a/lib/preview/txt.php b/lib/preview/txt.php index 4004ecd3fce..5961761aaa4 100644 --- a/lib/preview/txt.php +++ b/lib/preview/txt.php @@ -9,11 +9,11 @@ namespace OC\Preview; class TXT extends Provider{ - public function getMimeType(){ + public function getMimeType() { return '/text\/.*/'; } - public function getThumbnail($path,$maxX,$maxY,$scalingup,$fileview) { + public function getThumbnail($path, $maxX, $maxY, $scalingup, $fileview) { $content = $fileview->fopen($path, 'r'); $content = stream_get_contents($content); @@ -27,7 +27,7 @@ class TXT extends Provider{ $imagecolor = imagecolorallocate($image, 255, 255, 255); $textcolor = imagecolorallocate($image, 0, 0, 0); - foreach($lines as $index => $line){ + foreach($lines as $index => $line) { $index = $index + 1; $x = (int) 1; @@ -35,7 +35,7 @@ class TXT extends Provider{ imagestring($image, 1, $x, $y, $line, $textcolor); - if(($index * $linesize) >= $maxY){ + if(($index * $linesize) >= $maxY) { break; } } diff --git a/lib/preview/unknown.php b/lib/preview/unknown.php index 6a8d2fbb75c..2977cd68923 100644 --- a/lib/preview/unknown.php +++ b/lib/preview/unknown.php @@ -10,11 +10,11 @@ namespace OC\Preview; class Unknown extends Provider{ - public function getMimeType(){ + public function getMimeType() { return '/.*/'; } - public function getThumbnail($path, $maxX, $maxY, $scalingup,$fileview) { + public function getThumbnail($path, $maxX, $maxY, $scalingup, $fileview) { /*$mimetype = $fileview->getMimeType($path); $info = $fileview->getFileInfo($path); $name = array_key_exists('name', $info) ? $info['name'] : ''; -- GitLab From 6b90416891e9e0943a7b19f29017bf7d8140eb0a Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 29 May 2013 13:09:38 +0200 Subject: [PATCH 033/415] add php preview backend --- lib/preview/txt.php | 12 +++++++++++- 1 file changed, 11 insertions(+), 1 deletion(-) diff --git a/lib/preview/txt.php b/lib/preview/txt.php index 5961761aaa4..def6806860b 100644 --- a/lib/preview/txt.php +++ b/lib/preview/txt.php @@ -48,4 +48,14 @@ class TXT extends Provider{ } } -\OC\Preview::registerProvider('OC\Preview\TXT'); \ No newline at end of file +\OC\Preview::registerProvider('OC\Preview\TXT'); + +class PHP extends TXT { + + public function getMimeType() { + return '/application\/x-php/'; + } + +} + +\OC\Preview::registerProvider('OC\Preview\PHP'); \ No newline at end of file -- GitLab From 1e252b67635aeed7fa8180a0868abd6442a3c42c Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 29 May 2013 13:11:43 +0200 Subject: [PATCH 034/415] more style fixes --- lib/preview/images.php | 2 +- lib/preview/movies.php | 3 ++- lib/preview/mp3.php | 4 ++-- lib/preview/pdf.php | 2 +- lib/preview/provider.php | 2 +- lib/preview/svg.php | 2 +- lib/preview/txt.php | 2 +- lib/preview/unknown.php | 2 +- 8 files changed, 10 insertions(+), 9 deletions(-) diff --git a/lib/preview/images.php b/lib/preview/images.php index 933d65ec59e..080e424e5bd 100644 --- a/lib/preview/images.php +++ b/lib/preview/images.php @@ -8,7 +8,7 @@ */ namespace OC\Preview; -class Image extends Provider{ +class Image extends Provider { public function getMimeType() { return '/image\/.*/'; diff --git a/lib/preview/movies.php b/lib/preview/movies.php index aa97c3f43fc..18e9d4f778c 100644 --- a/lib/preview/movies.php +++ b/lib/preview/movies.php @@ -9,7 +9,8 @@ namespace OC\Preview; if(!is_null(shell_exec('ffmpeg -version'))) { - class Movie extends Provider{ + + class Movie extends Provider { public function getMimeType() { return '/video\/.*/'; diff --git a/lib/preview/mp3.php b/lib/preview/mp3.php index cfe78f32727..303626e022e 100644 --- a/lib/preview/mp3.php +++ b/lib/preview/mp3.php @@ -1,4 +1,4 @@ - Date: Wed, 29 May 2013 13:13:47 +0200 Subject: [PATCH 035/415] fix c&p fail --- lib/preview/mp3.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/preview/mp3.php b/lib/preview/mp3.php index 303626e022e..3c6be5c9226 100644 --- a/lib/preview/mp3.php +++ b/lib/preview/mp3.php @@ -1,4 +1,4 @@ -Provider{ Date: Thu, 30 May 2013 10:44:23 +0200 Subject: [PATCH 036/415] validate size of file --- lib/preview.php | 14 +++++++++++--- 1 file changed, 11 insertions(+), 3 deletions(-) diff --git a/lib/preview.php b/lib/preview.php index 1150681e64f..be3abc2cd47 100755 --- a/lib/preview.php +++ b/lib/preview.php @@ -87,7 +87,15 @@ class Preview { $this->maxY = $this->max_y; } } - + + $fileinfo = $this->fileview->getFileInfo($this->file); + if(array_key_exists('size', $fileinfo)){ + if((int) $fileinfo['size'] === 0){ + \OC_Log::write('core', 'You can\'t generate a preview of a 0 byte file (' . $this->file . ')', \OC_Log::ERROR); + throw new \Exception('0 byte file given'); + } + } + //init providers if(empty(self::$providers)) { self::initProviders(); @@ -518,7 +526,7 @@ class Preview { try{ $preview = new Preview(\OC_User::getUser(), 'files', $file, $maxX, $maxY, $scalingup); $preview->showPreview(); - }catch(Exception $e) { + }catch(\Exception $e) { \OC_Response::setStatus(404); \OC_Log::write('core', $e->getmessage(), \OC_Log::ERROR); exit; @@ -574,7 +582,7 @@ class Preview { try{ $preview = new Preview($userid, 'files/' . $path, $file, $maxX, $maxY, $scalingup); $preview->showPreview(); - }catch(Exception $e) { + }catch(\Exception $e) { \OC_Response::setStatus(404); \OC_Log::write('core', $e->getmessage(), \OC_Log::ERROR); exit; -- GitLab From a014662c52f5295a7e86cd43b7dd62b89e3f1085 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Thu, 30 May 2013 11:06:52 +0200 Subject: [PATCH 037/415] improve imagick error handling --- lib/preview/pdf.php | 9 +++++++-- lib/preview/svg.php | 23 ++++++++++++++--------- 2 files changed, 21 insertions(+), 11 deletions(-) diff --git a/lib/preview/pdf.php b/lib/preview/pdf.php index 85878a122a8..f1d0a33dc63 100644 --- a/lib/preview/pdf.php +++ b/lib/preview/pdf.php @@ -19,8 +19,13 @@ if (extension_loaded('imagick')) { $tmppath = $fileview->toTmpFile($path); //create imagick object from pdf - $pdf = new \imagick($tmppath . '[0]'); - $pdf->setImageFormat('jpg'); + try{ + $pdf = new \imagick($tmppath . '[0]'); + $pdf->setImageFormat('jpg'); + }catch(\Exception $e){ + \OC_Log::write('core', $e->getmessage(), \OC_Log::ERROR); + return false; + } unlink($tmppath); diff --git a/lib/preview/svg.php b/lib/preview/svg.php index 8bceeaf60d1..76d81589bac 100644 --- a/lib/preview/svg.php +++ b/lib/preview/svg.php @@ -16,17 +16,22 @@ if (extension_loaded('imagick')) { } public function getThumbnail($path,$maxX,$maxY,$scalingup,$fileview) { - $svg = new \Imagick(); - $svg->setResolution($maxX, $maxY); - - $content = stream_get_contents($fileview->fopen($path, 'r')); - if(substr($content, 0, 5) !== '' . $content; + try{ + $svg = new \Imagick(); + $svg->setResolution($maxX, $maxY); + + $content = stream_get_contents($fileview->fopen($path, 'r')); + if(substr($content, 0, 5) !== '' . $content; + } + + $svg->readImageBlob($content); + $svg->setImageFormat('jpg'); + }catch(\Exception $e){ + \OC_Log::write('core', $e->getmessage(), \OC_Log::ERROR); + return false; } - $svg->readImageBlob($content); - $svg->setImageFormat('jpg'); - //new image object $image = new \OC_Image($svg); //check if image object is valid -- GitLab From b944b1c5d29393e1b6f0bc51cf50db6eba356e64 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Thu, 30 May 2013 11:12:12 +0200 Subject: [PATCH 038/415] add javascript preview backend --- lib/preview/txt.php | 12 +++++++++++- 1 file changed, 11 insertions(+), 1 deletion(-) diff --git a/lib/preview/txt.php b/lib/preview/txt.php index 4eb0e820406..f18da66c3b8 100644 --- a/lib/preview/txt.php +++ b/lib/preview/txt.php @@ -58,4 +58,14 @@ class PHP extends TXT { } -\OC\Preview::registerProvider('OC\Preview\PHP'); \ No newline at end of file +\OC\Preview::registerProvider('OC\Preview\PHP'); + +class JavaScript extends TXT { + + public function getMimeType() { + return '/application\/javascript/'; + } + +} + +\OC\Preview::registerProvider('OC\Preview\JavaScript'); \ No newline at end of file -- GitLab From f7c80a391d192a15d594c3eaf7909a3d78df1a29 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Thu, 30 May 2013 15:29:38 +0200 Subject: [PATCH 039/415] load getID3 only if needed --- lib/preview/mp3.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/lib/preview/mp3.php b/lib/preview/mp3.php index 3c6be5c9226..660e9fc3ce4 100644 --- a/lib/preview/mp3.php +++ b/lib/preview/mp3.php @@ -7,8 +7,6 @@ */ namespace OC\Preview; -require_once('getid3/getid3.php'); - class MP3 extends Provider { public function getMimeType() { @@ -16,6 +14,8 @@ class MP3 extends Provider { } public function getThumbnail($path, $maxX, $maxY, $scalingup, $fileview) { + require_once('getid3/getid3.php'); + $getID3 = new \getID3(); $tmppath = $fileview->toTmpFile($path); -- GitLab From a11a40d9a96685d41e5acae096752f16785b16b5 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Fri, 31 May 2013 12:23:51 +0200 Subject: [PATCH 040/415] add backend for microsoft office 2007 documents --- lib/preview.php | 2 + lib/preview/msoffice.php | 109 +++++++++++++++++++++++++++++++++++++++ 2 files changed, 111 insertions(+) create mode 100644 lib/preview/msoffice.php diff --git a/lib/preview.php b/lib/preview.php index be3abc2cd47..a73f4cb1ac0 100755 --- a/lib/preview.php +++ b/lib/preview.php @@ -20,6 +20,8 @@ require_once('preview/pdf.php'); require_once('preview/svg.php'); require_once('preview/txt.php'); require_once('preview/unknown.php'); +require_once('preview/msoffice.php'); +//require_once('preview/opendocument.php'); class Preview { //the thumbnail folder diff --git a/lib/preview/msoffice.php b/lib/preview/msoffice.php new file mode 100644 index 00000000000..c99ca313c72 --- /dev/null +++ b/lib/preview/msoffice.php @@ -0,0 +1,109 @@ +toTmpFile($path); + + $transformdoc = new \TransformDoc(); + $transformdoc->setStrFile($tmpdoc); + $transformdoc->generatePDF($tmpdoc); + + $pdf = new \imagick($tmpdoc . '[0]'); + $pdf->setImageFormat('jpg'); + + unlink($tmpdoc); + + //new image object + $image = new \OC_Image($pdf); + //check if image object is valid + if (!$image->valid()) return false; + + return $image; + } +} + +class DOC extends MSOffice2003 { + + public function getMimeType() { + return '/application\/msword/'; + } + +} + +\OC\Preview::registerProvider('OC\Preview\DOC'); + +class DOCX extends MSOffice2007 { + + public function getMimeType() { + return '/application\/vnd.openxmlformats-officedocument.wordprocessingml.document/'; + } + +} + +\OC\Preview::registerProvider('OC\Preview\DOCX'); + +class XLS extends MSOffice2003 { + + public function getMimeType() { + return '/application\/vnd.ms-excel/'; + } + +} + +\OC\Preview::registerProvider('OC\Preview\XLS'); + +class XLSX extends MSOffice2007 { + + public function getMimeType() { + return '/application\/vnd.openxmlformats-officedocument.spreadsheetml.sheet/'; + } + +} + +\OC\Preview::registerProvider('OC\Preview\XLSX'); + +class PPT extends MSOffice2003 { + + public function getMimeType() { + return '/application\/vnd.ms-powerpoint/'; + } + +} + +\OC\Preview::registerProvider('OC\Preview\PPT'); + +class PPTX extends MSOffice2007 { + + public function getMimeType() { + return '/application\/vnd.openxmlformats-officedocument.presentationml.presentation/'; + } + +} + +\OC\Preview::registerProvider('OC\Preview\PPTX'); \ No newline at end of file -- GitLab From 34decf357697a81c23e844ef606c04a20a08c597 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Mon, 3 Jun 2013 11:24:31 +0200 Subject: [PATCH 041/415] save current work state --- lib/preview.php | 2 +- lib/preview/libreoffice-cl.php | 0 lib/preview/office.php | 13 +++++++++++++ lib/preview/opendocument.php | 0 4 files changed, 14 insertions(+), 1 deletion(-) create mode 100644 lib/preview/libreoffice-cl.php create mode 100644 lib/preview/office.php create mode 100644 lib/preview/opendocument.php diff --git a/lib/preview.php b/lib/preview.php index a73f4cb1ac0..4705efe2107 100755 --- a/lib/preview.php +++ b/lib/preview.php @@ -20,7 +20,7 @@ require_once('preview/pdf.php'); require_once('preview/svg.php'); require_once('preview/txt.php'); require_once('preview/unknown.php'); -require_once('preview/msoffice.php'); +//require_once('preview/msoffice.php'); //require_once('preview/opendocument.php'); class Preview { diff --git a/lib/preview/libreoffice-cl.php b/lib/preview/libreoffice-cl.php new file mode 100644 index 00000000000..e69de29bb2d diff --git a/lib/preview/office.php b/lib/preview/office.php new file mode 100644 index 00000000000..c66f5584f07 --- /dev/null +++ b/lib/preview/office.php @@ -0,0 +1,13 @@ + Date: Wed, 5 Jun 2013 10:50:20 +0200 Subject: [PATCH 042/415] save current work state of libreoffice preview backend --- lib/preview/libreoffice-cl.php | 129 +++++++++++++++++++++++++++++++++ lib/preview/office.php | 4 +- 2 files changed, 132 insertions(+), 1 deletion(-) diff --git a/lib/preview/libreoffice-cl.php b/lib/preview/libreoffice-cl.php index e69de29bb2d..1408e69e8cf 100644 --- a/lib/preview/libreoffice-cl.php +++ b/lib/preview/libreoffice-cl.php @@ -0,0 +1,129 @@ +initCmd(); + if(is_null($this->cmd)) { + return false; + } + + $abspath = $fileview->toTmpFile($path); + + chdir(get_temp_dir()); + + $exec = 'libreoffice --headless -convert-to pdf ' . escapeshellarg($abspath); + exec($exec) + + //create imagick object from pdf + try{ + $pdf = new \imagick($abspath . '.pdf' . '[0]'); + $pdf->setImageFormat('jpg'); + }catch(\Exception $e){ + \OC_Log::write('core', $e->getmessage(), \OC_Log::ERROR); + return false; + } + + $image = new \OC_Image($pdf); + + unlink($abspath); + unlink($tmppath); + if (!$image->valid()) return false; + + return $image; + } + + private function initCmd() { + $cmd = ''; + + if(is_string(\OC_Config::getValue('preview_libreoffice_path', null))) { + $cmd = \OC_Config::getValue('preview_libreoffice_path', null); + } + + if($cmd === '' && shell_exec('libreoffice --headless --version')) { + $cmd = 'libreoffice'; + } + + if($cmd === '' && shell_exec('openoffice --headless --version')) { + $cmd = 'openoffice'; + } + + if($cmd === '') { + $cmd = null; + } + + $this->cmd = $cmd; + } + } +} + +//.doc, .dot +class MSOfficeDoc extends Office { + + public function getMimeType() { + return '/application\/msword/'; + } + +} + +\OC\Preview::registerProvider('OC\Preview\MSOfficeDoc'); + +//.docm, .dotm, .xls(m), .xlt(m), .xla(m), .ppt(m), .pot(m), .pps(m), .ppa(m) +class MSOffice2003 extends Office { + + public function getMimeType() { + return '/application\/vnd.ms-.*/'; + } + +} + +\OC\Preview::registerProvider('OC\Preview\MSOffice2003'); + +//.docx, .dotx, .xlsx, .xltx, .pptx, .potx, .ppsx +class MSOffice2007 extends Office { + + public function getMimeType() { + return '/application\/vnd.openxmlformats-officedocument.*/'; + } + +} + +\OC\Preview::registerProvider('OC\Preview\MSOffice2007'); + +//.odt, .ott, .oth, .odm, .odg, .otg, .odp, .otp, .ods, .ots, .odc, .odf, .odb, .odi, .oxt +class OpenDocument extends Office { + + public function getMimeType() { + return '/application\/vnd.oasis.opendocument.*/'; + } + +} + +\OC\Preview::registerProvider('OC\Preview\OpenDocument'); + +//.sxw, .stw, .sxc, .stc, .sxd, .std, .sxi, .sti, .sxg, .sxm +class StarOffice extends Office { + + public function getMimeType() { + return '/application\/vnd.sun.xml.*/'; + } + +} + +\OC\Preview::registerProvider('OC\Preview\StarOffice'); \ No newline at end of file diff --git a/lib/preview/office.php b/lib/preview/office.php index c66f5584f07..cc1addf3996 100644 --- a/lib/preview/office.php +++ b/lib/preview/office.php @@ -5,9 +5,11 @@ * later. * See the COPYING-README file. */ -if(shell_exec('libreoffice') || shell_exec('openoffice')) { +//let's see if there is libreoffice or openoffice on this machine +if(shell_exec('libreoffice --headless --version') || shell_exec('openoffice --headless --version') || is_string(\OC_Config::getValue('preview_libreoffice_path', null))) { require_once('libreoffice-cl.php'); }else{ + //in case there isn't, use our fallback require_once('msoffice.php'); require_once('opendocument.php'); } \ No newline at end of file -- GitLab From 749c33f39d9452e2c1fdca718e3abcdb7c4a9dd0 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 5 Jun 2013 10:53:16 +0200 Subject: [PATCH 043/415] escape tmppath shell arg --- lib/preview/movies.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/preview/movies.php b/lib/preview/movies.php index 18e9d4f778c..8cd50263e2a 100644 --- a/lib/preview/movies.php +++ b/lib/preview/movies.php @@ -24,7 +24,7 @@ if(!is_null(shell_exec('ffmpeg -version'))) { $tmppath = \OC_Helper::tmpFile(); //$cmd = 'ffmpeg -y -i ' . escapeshellarg($abspath) . ' -f mjpeg -vframes 1 -ss 1 -s ' . escapeshellarg($maxX) . 'x' . escapeshellarg($maxY) . ' ' . $tmppath; - $cmd = 'ffmpeg -y -i ' . escapeshellarg($abspath) . ' -f mjpeg -vframes 1 -ss 1 ' . $tmppath; + $cmd = 'ffmpeg -y -i ' . escapeshellarg($abspath) . ' -f mjpeg -vframes 1 -ss 1 ' . escapeshellarg($tmppath); shell_exec($cmd); unlink($abspath); -- GitLab From f437673f1a03ba5b2eeb3e79d24bf6ad3265aa0b Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 5 Jun 2013 10:55:57 +0200 Subject: [PATCH 044/415] update require_once block in preview.php --- lib/preview.php | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/lib/preview.php b/lib/preview.php index 4705efe2107..f9f1288cb98 100755 --- a/lib/preview.php +++ b/lib/preview.php @@ -20,8 +20,7 @@ require_once('preview/pdf.php'); require_once('preview/svg.php'); require_once('preview/txt.php'); require_once('preview/unknown.php'); -//require_once('preview/msoffice.php'); -//require_once('preview/opendocument.php'); +require_once('preview/office.php'); class Preview { //the thumbnail folder -- GitLab From bab8b20cbdc65888d92477f9a5810ea4b114ada1 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 5 Jun 2013 11:06:36 +0200 Subject: [PATCH 045/415] use ->cmd instead of hardcoded libreoffice --- lib/preview/libreoffice-cl.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/preview/libreoffice-cl.php b/lib/preview/libreoffice-cl.php index 1408e69e8cf..49c574c9521 100644 --- a/lib/preview/libreoffice-cl.php +++ b/lib/preview/libreoffice-cl.php @@ -28,7 +28,7 @@ if (extension_loaded('imagick')) { chdir(get_temp_dir()); - $exec = 'libreoffice --headless -convert-to pdf ' . escapeshellarg($abspath); + $exec = $this->cmd . ' --headless -convert-to pdf ' . escapeshellarg($abspath); exec($exec) //create imagick object from pdf -- GitLab From 8c5fceba296ae76a0f22f3ed0324dec46ef16019 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 5 Jun 2013 11:13:13 +0200 Subject: [PATCH 046/415] fix syntax error --- lib/preview/libreoffice-cl.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/preview/libreoffice-cl.php b/lib/preview/libreoffice-cl.php index 49c574c9521..1b8e482fb23 100644 --- a/lib/preview/libreoffice-cl.php +++ b/lib/preview/libreoffice-cl.php @@ -29,7 +29,7 @@ if (extension_loaded('imagick')) { chdir(get_temp_dir()); $exec = $this->cmd . ' --headless -convert-to pdf ' . escapeshellarg($abspath); - exec($exec) + exec($exec); //create imagick object from pdf try{ -- GitLab From 78e8712366e2a198973f9a887c771894bef9a905 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 5 Jun 2013 11:17:29 +0200 Subject: [PATCH 047/415] update config.sample.php --- config/config.sample.php | 2 ++ 1 file changed, 2 insertions(+) diff --git a/config/config.sample.php b/config/config.sample.php index db6eaf852af..2f437771f2b 100644 --- a/config/config.sample.php +++ b/config/config.sample.php @@ -191,4 +191,6 @@ $CONFIG = array( 'preview_max_y' => null, /* the max factor to scale a preview, default is set to 10 */ 'preview_max_scale_factor' => 10, +/* custom path for libreoffice / openoffice binary */ +'preview_libreoffice_path' => '/usr/bin/libreoffice'; ); -- GitLab From 5c1d4fc186b692508f718c06218621bddcfd8f22 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 5 Jun 2013 11:18:57 +0200 Subject: [PATCH 048/415] yet another update for config.sample.php --- config/config.sample.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/config/config.sample.php b/config/config.sample.php index 2f437771f2b..2812d848133 100644 --- a/config/config.sample.php +++ b/config/config.sample.php @@ -192,5 +192,5 @@ $CONFIG = array( /* the max factor to scale a preview, default is set to 10 */ 'preview_max_scale_factor' => 10, /* custom path for libreoffice / openoffice binary */ -'preview_libreoffice_path' => '/usr/bin/libreoffice'; +'preview_libreoffice_path' => '/usr/bin/libreoffice', ); -- GitLab From 21cc4f6960618c41e81ca7e785a6d9e21c21ecf9 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 5 Jun 2013 12:44:31 +0200 Subject: [PATCH 049/415] make libreoffice preview backend work :D --- lib/preview/libreoffice-cl.php | 13 ++++++++----- 1 file changed, 8 insertions(+), 5 deletions(-) diff --git a/lib/preview/libreoffice-cl.php b/lib/preview/libreoffice-cl.php index 1b8e482fb23..5121a4c5a08 100644 --- a/lib/preview/libreoffice-cl.php +++ b/lib/preview/libreoffice-cl.php @@ -26,11 +26,13 @@ if (extension_loaded('imagick')) { $abspath = $fileview->toTmpFile($path); - chdir(get_temp_dir()); + $tmpdir = get_temp_dir(); + + $exec = $this->cmd . ' --headless --nologo --nofirststartwizard --invisible --norestore -convert-to pdf -outdir ' . escapeshellarg($tmpdir) . ' ' . escapeshellarg($abspath); + $export = 'export HOME=/tmp'; + + shell_exec($export . "\n" . $exec); - $exec = $this->cmd . ' --headless -convert-to pdf ' . escapeshellarg($abspath); - exec($exec); - //create imagick object from pdf try{ $pdf = new \imagick($abspath . '.pdf' . '[0]'); @@ -43,7 +45,8 @@ if (extension_loaded('imagick')) { $image = new \OC_Image($pdf); unlink($abspath); - unlink($tmppath); + unlink($abspath . '.pdf'); + if (!$image->valid()) return false; return $image; -- GitLab From f80aba48935e7325effaa65f899922927157028a Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 5 Jun 2013 12:58:39 +0200 Subject: [PATCH 050/415] use tmpdir var instead of hardcoded /tmp --- lib/preview/libreoffice-cl.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/preview/libreoffice-cl.php b/lib/preview/libreoffice-cl.php index 5121a4c5a08..33fa7a04e5d 100644 --- a/lib/preview/libreoffice-cl.php +++ b/lib/preview/libreoffice-cl.php @@ -29,7 +29,7 @@ if (extension_loaded('imagick')) { $tmpdir = get_temp_dir(); $exec = $this->cmd . ' --headless --nologo --nofirststartwizard --invisible --norestore -convert-to pdf -outdir ' . escapeshellarg($tmpdir) . ' ' . escapeshellarg($abspath); - $export = 'export HOME=/tmp'; + $export = 'export HOME=/' . $tmpdir; shell_exec($export . "\n" . $exec); -- GitLab From 25e8ac1c2f51e7f3f35eaec013aa1b3f8356f17b Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Mon, 10 Jun 2013 11:01:12 +0200 Subject: [PATCH 051/415] implement previews for single shared files --- lib/preview.php | 39 ++++++++++++++++++++++++--------------- 1 file changed, 24 insertions(+), 15 deletions(-) diff --git a/lib/preview.php b/lib/preview.php index f9f1288cb98..904689bc4e1 100755 --- a/lib/preview.php +++ b/lib/preview.php @@ -557,31 +557,40 @@ class Preview { if(array_key_exists('y', $_GET)) $maxY = (int) $_GET['y']; if(array_key_exists('scalingup', $_GET)) $scalingup = (bool) $_GET['scalingup']; if(array_key_exists('t', $_GET)) $token = (string) $_GET['t']; - + $linkItem = \OCP\Share::getShareByToken($token); - + if (is_array($linkItem) && isset($linkItem['uid_owner']) && isset($linkItem['file_source'])) { $userid = $linkItem['uid_owner']; \OC_Util::setupFS($userid); + $pathid = $linkItem['file_source']; $path = \OC\Files\Filesystem::getPath($pathid); - } - - //clean up file parameter - $file = \OC\Files\Filesystem::normalizePath($file); - if(!\OC\Files\Filesystem::isValidPath($file)) { - \OC_Response::setStatus(403); - exit; - } + $pathinfo = \OC\Files\Filesystem::getFileInfo($path); + + $sharedfile = null; + if($linkItem['item_type'] === 'folder') { + //clean up file parameter + $sharedfile = \OC\Files\Filesystem::normalizePath($file); + if(!\OC\Files\Filesystem::isValidPath($file)) { + \OC_Response::setStatus(403); + exit; + } + } else if($linkItem['item_type'] === 'file') { + $parent = $pathinfo['parent']; + $path = \OC\Files\Filesystem::getPath($parent); + $sharedfile = $pathinfo['name']; + } - $path = \OC\Files\Filesystem::normalizePath($path, false); - if(substr($path, 0, 1) == '/') { - $path = substr($path, 1); + $path = \OC\Files\Filesystem::normalizePath($path, false); + if(substr($path, 0, 1) == '/') { + $path = substr($path, 1); + } } - if($userid !== null && $path !== null) { + if($userid !== null && $path !== null && $sharedfile !== null) { try{ - $preview = new Preview($userid, 'files/' . $path, $file, $maxX, $maxY, $scalingup); + $preview = new Preview($userid, 'files/' . $path, $sharedfile, $maxX, $maxY, $scalingup); $preview->showPreview(); }catch(\Exception $e) { \OC_Response::setStatus(404); -- GitLab From 0e4f5001d5143f55a9d051b501fe32de900917c5 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Tue, 11 Jun 2013 10:45:50 +0200 Subject: [PATCH 052/415] don't crop Y axis --- lib/preview.php | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/lib/preview.php b/lib/preview.php index 904689bc4e1..ed33e7b09dc 100755 --- a/lib/preview.php +++ b/lib/preview.php @@ -427,7 +427,8 @@ class Preview { if($newXsize >= $x && $newYsize >= $y) { $cropX = floor(abs($x - $newXsize) * 0.5); - $cropY = floor(abs($y - $newYsize) * 0.5); + //$cropY = floor(abs($y - $newYsize) * 0.5); + $cropY = 0; $image->crop($cropX, $cropY, $x, $y); -- GitLab From 2ff97917e9e72b674de07ca05dc04dd3bea14f07 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Tue, 11 Jun 2013 10:56:16 +0200 Subject: [PATCH 053/415] code optimization --- lib/preview/images.php | 5 +---- lib/preview/movies.php | 5 ++--- lib/preview/mp3.php | 4 +--- lib/preview/pdf.php | 4 +--- lib/preview/svg.php | 4 +--- lib/preview/txt.php | 4 +--- 6 files changed, 7 insertions(+), 19 deletions(-) diff --git a/lib/preview/images.php b/lib/preview/images.php index 080e424e5bd..e4041538e92 100644 --- a/lib/preview/images.php +++ b/lib/preview/images.php @@ -26,10 +26,7 @@ class Image extends Provider { $image->loadFromFile($fileview->getLocalFile($path)); } - //check if image object is valid - if (!$image->valid()) return false; - - return $image; + return $image->valid() ? $image : false; } } diff --git a/lib/preview/movies.php b/lib/preview/movies.php index 8cd50263e2a..cb959a962a7 100644 --- a/lib/preview/movies.php +++ b/lib/preview/movies.php @@ -27,14 +27,13 @@ if(!is_null(shell_exec('ffmpeg -version'))) { $cmd = 'ffmpeg -y -i ' . escapeshellarg($abspath) . ' -f mjpeg -vframes 1 -ss 1 ' . escapeshellarg($tmppath); shell_exec($cmd); - unlink($abspath); $image = new \OC_Image($tmppath); - if (!$image->valid()) return false; + unlink($abspath); unlink($tmppath); - return $image; + return $image->valid() ? $image : false; } } diff --git a/lib/preview/mp3.php b/lib/preview/mp3.php index 660e9fc3ce4..60dfb5ff461 100644 --- a/lib/preview/mp3.php +++ b/lib/preview/mp3.php @@ -28,9 +28,7 @@ class MP3 extends Provider { unlink($tmppath); $image = new \OC_Image($picture); - if (!$image->valid()) return $this->getNoCoverThumbnail($maxX, $maxY); - - return $image; + return $image->valid() ? $image : $this->getNoCoverThumbnail($maxX, $maxY); } public function getNoCoverThumbnail($maxX, $maxY) { diff --git a/lib/preview/pdf.php b/lib/preview/pdf.php index f1d0a33dc63..3eabd201156 100644 --- a/lib/preview/pdf.php +++ b/lib/preview/pdf.php @@ -32,9 +32,7 @@ if (extension_loaded('imagick')) { //new image object $image = new \OC_Image($pdf); //check if image object is valid - if (!$image->valid()) return false; - - return $image; + return $image->valid() ? $image : false; } } diff --git a/lib/preview/svg.php b/lib/preview/svg.php index 76d81589bac..bafaf71b15a 100644 --- a/lib/preview/svg.php +++ b/lib/preview/svg.php @@ -35,9 +35,7 @@ if (extension_loaded('imagick')) { //new image object $image = new \OC_Image($svg); //check if image object is valid - if (!$image->valid()) return false; - - return $image; + return $image->valid() ? $image : false; } } diff --git a/lib/preview/txt.php b/lib/preview/txt.php index f18da66c3b8..c7b8fabc6b0 100644 --- a/lib/preview/txt.php +++ b/lib/preview/txt.php @@ -42,9 +42,7 @@ class TXT extends Provider { $image = new \OC_Image($image); - if (!$image->valid()) return false; - - return $image; + return $image->valid() ? $image : false; } } -- GitLab From 28cf63d37d6a2b90ae32a2b5b7193a5f5c69830d Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Tue, 11 Jun 2013 11:00:44 +0200 Subject: [PATCH 054/415] check if imagick is loaded in office.php, not in libreoffice-cl.php --- lib/preview/libreoffice-cl.php | 87 ++++++++++++++++------------------ lib/preview/office.php | 17 ++++--- 2 files changed, 51 insertions(+), 53 deletions(-) diff --git a/lib/preview/libreoffice-cl.php b/lib/preview/libreoffice-cl.php index 33fa7a04e5d..2749c4867e9 100644 --- a/lib/preview/libreoffice-cl.php +++ b/lib/preview/libreoffice-cl.php @@ -8,71 +8,66 @@ namespace OC\Preview; //we need imagick to convert -if (extension_loaded('imagick')) { +class Office extends Provider { - class Office extends Provider { + private $cmd; - private $cmd; + public function getMimeType() { + return null; + } - public function getMimeType() { - return null; + public function getThumbnail($path, $maxX, $maxY, $scalingup, $fileview) { + $this->initCmd(); + if(is_null($this->cmd)) { + return false; } - public function getThumbnail($path, $maxX, $maxY, $scalingup, $fileview) { - $this->initCmd(); - if(is_null($this->cmd)) { - return false; - } + $abspath = $fileview->toTmpFile($path); - $abspath = $fileview->toTmpFile($path); + $tmpdir = get_temp_dir(); - $tmpdir = get_temp_dir(); + $exec = $this->cmd . ' --headless --nologo --nofirststartwizard --invisible --norestore -convert-to pdf -outdir ' . escapeshellarg($tmpdir) . ' ' . escapeshellarg($abspath); + $export = 'export HOME=/' . $tmpdir; - $exec = $this->cmd . ' --headless --nologo --nofirststartwizard --invisible --norestore -convert-to pdf -outdir ' . escapeshellarg($tmpdir) . ' ' . escapeshellarg($abspath); - $export = 'export HOME=/' . $tmpdir; + shell_exec($export . "\n" . $exec); - shell_exec($export . "\n" . $exec); + //create imagick object from pdf + try{ + $pdf = new \imagick($abspath . '.pdf' . '[0]'); + $pdf->setImageFormat('jpg'); + }catch(\Exception $e){ + \OC_Log::write('core', $e->getmessage(), \OC_Log::ERROR); + return false; + } - //create imagick object from pdf - try{ - $pdf = new \imagick($abspath . '.pdf' . '[0]'); - $pdf->setImageFormat('jpg'); - }catch(\Exception $e){ - \OC_Log::write('core', $e->getmessage(), \OC_Log::ERROR); - return false; - } + $image = new \OC_Image($pdf); - $image = new \OC_Image($pdf); + unlink($abspath); + unlink($abspath . '.pdf'); - unlink($abspath); - unlink($abspath . '.pdf'); + return $image->valid() ? $image : false; + } - if (!$image->valid()) return false; + private function initCmd() { + $cmd = ''; - return $image; + if(is_string(\OC_Config::getValue('preview_libreoffice_path', null))) { + $cmd = \OC_Config::getValue('preview_libreoffice_path', null); } - private function initCmd() { - $cmd = ''; - - if(is_string(\OC_Config::getValue('preview_libreoffice_path', null))) { - $cmd = \OC_Config::getValue('preview_libreoffice_path', null); - } - - if($cmd === '' && shell_exec('libreoffice --headless --version')) { - $cmd = 'libreoffice'; - } - - if($cmd === '' && shell_exec('openoffice --headless --version')) { - $cmd = 'openoffice'; - } + if($cmd === '' && shell_exec('libreoffice --headless --version')) { + $cmd = 'libreoffice'; + } - if($cmd === '') { - $cmd = null; - } + if($cmd === '' && shell_exec('openoffice --headless --version')) { + $cmd = 'openoffice'; + } - $this->cmd = $cmd; + if($cmd === '') { + $cmd = null; } + + $this->cmd = $cmd; } } diff --git a/lib/preview/office.php b/lib/preview/office.php index cc1addf3996..20f545ef337 100644 --- a/lib/preview/office.php +++ b/lib/preview/office.php @@ -5,11 +5,14 @@ * later. * See the COPYING-README file. */ -//let's see if there is libreoffice or openoffice on this machine -if(shell_exec('libreoffice --headless --version') || shell_exec('openoffice --headless --version') || is_string(\OC_Config::getValue('preview_libreoffice_path', null))) { - require_once('libreoffice-cl.php'); -}else{ - //in case there isn't, use our fallback - require_once('msoffice.php'); - require_once('opendocument.php'); +//both, libreoffice backend and php fallback, need imagick +if (extension_loaded('imagick')) { + //let's see if there is libreoffice or openoffice on this machine + if(shell_exec('libreoffice --headless --version') || shell_exec('openoffice --headless --version') || is_string(\OC_Config::getValue('preview_libreoffice_path', null))) { + require_once('libreoffice-cl.php'); + }else{ + //in case there isn't, use our fallback + require_once('msoffice.php'); + require_once('opendocument.php'); + } } \ No newline at end of file -- GitLab From 67816da0bfe16ecb58d3a3bdb70c1fb9a79cff75 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Tue, 11 Jun 2013 13:15:24 +0200 Subject: [PATCH 055/415] save current work state of office fallback --- lib/preview/msoffice.php | 95 ++++++++++++++++++++++++++---------- lib/preview/opendocument.php | 12 +++++ 2 files changed, 81 insertions(+), 26 deletions(-) diff --git a/lib/preview/msoffice.php b/lib/preview/msoffice.php index c99ca313c72..4fedb735c95 100644 --- a/lib/preview/msoffice.php +++ b/lib/preview/msoffice.php @@ -7,22 +7,24 @@ */ namespace OC\Preview; -class MSOffice2003 extends Provider { +class DOC extends Provider { - public function getMimeType(){ - return null; + public function getMimeType() { + return '/application\/msword/'; } - public function getThumbnail($path, $maxX, $maxY, $scalingup, $fileview){ - return false; + public function getThumbnail($path, $maxX, $maxY, $scalingup, $fileview) { + } + } +\OC\Preview::registerProvider('OC\Preview\DOC'); -class MSOffice2007 extends Provider { +class DOCX extends Provider { - public function getMimeType(){ - return null; + public function getMimeType() { + return '/application\/vnd.openxmlformats-officedocument.wordprocessingml.document/'; } public function getThumbnail($path, $maxX, $maxY, $scalingup, $fileview) { @@ -39,36 +41,50 @@ class MSOffice2007 extends Provider { unlink($tmpdoc); - //new image object $image = new \OC_Image($pdf); - //check if image object is valid - if (!$image->valid()) return false; - - return $image; + + return $image->valid() ? $image : false; } + } -class DOC extends MSOffice2003 { +\OC\Preview::registerProvider('OC\Preview\DOCX'); + +class MSOfficeExcel extends Provider { public function getMimeType() { - return '/application\/msword/'; + return null; } -} + public function getThumbnail($path, $maxX, $maxY, $scalingup, $fileview) { + require_once('PHPExcel/Classes/PHPExcel.php'); + require_once('PHPExcel/Classes/PHPExcel/IOFactory.php'); + //require_once('mpdf/mpdf.php'); -\OC\Preview::registerProvider('OC\Preview\DOC'); + $abspath = $fileview->toTmpFile($path); + $tmppath = \OC_Helper::tmpFile(); -class DOCX extends MSOffice2007 { + $rendererName = \PHPExcel_Settings::PDF_RENDERER_DOMPDF; + $rendererLibraryPath = \OC::$THIRDPARTYROOT . '/dompdf'; - public function getMimeType() { - return '/application\/vnd.openxmlformats-officedocument.wordprocessingml.document/'; + \PHPExcel_Settings::setPdfRenderer($rendererName, $rendererLibraryPath); + + $phpexcel = new \PHPExcel($abspath); + $excel = \PHPExcel_IOFactory::createWriter($phpexcel, 'PDF'); + $excel->save($tmppath); + + $pdf = new \imagick($tmppath . '[0]'); + $pdf->setImageFormat('jpg'); + + unlink($abspath); + unlink($tmppath); + + return $image->valid() ? $image : false; } } -\OC\Preview::registerProvider('OC\Preview\DOCX'); - -class XLS extends MSOffice2003 { +class XLS extends MSOfficeExcel { public function getMimeType() { return '/application\/vnd.ms-excel/'; @@ -78,7 +94,7 @@ class XLS extends MSOffice2003 { \OC\Preview::registerProvider('OC\Preview\XLS'); -class XLSX extends MSOffice2007 { +class XLSX extends MSOfficeExcel { public function getMimeType() { return '/application\/vnd.openxmlformats-officedocument.spreadsheetml.sheet/'; @@ -88,7 +104,34 @@ class XLSX extends MSOffice2007 { \OC\Preview::registerProvider('OC\Preview\XLSX'); -class PPT extends MSOffice2003 { +class MSOfficePowerPoint extends Provider { + + public function getMimeType() { + return null; + } + + public function getThumbnail($path, $maxX, $maxY, $scalingup, $fileview) { + //require_once(''); + //require_once(''); + + $abspath = $fileview->toTmpFile($path); + $tmppath = \OC_Helper::tmpFile(); + + $excel = PHPPowerPoint_IOFactory::createWriter($abspath, 'PDF'); + $excel->save($tmppath); + + $pdf = new \imagick($tmppath . '[0]'); + $pdf->setImageFormat('jpg'); + + unlink($abspath); + unlink($tmppath); + + return $image->valid() ? $image : false; + } + +} + +class PPT extends MSOfficePowerPoint { public function getMimeType() { return '/application\/vnd.ms-powerpoint/'; @@ -98,7 +141,7 @@ class PPT extends MSOffice2003 { \OC\Preview::registerProvider('OC\Preview\PPT'); -class PPTX extends MSOffice2007 { +class PPTX extends MSOfficePowerPoint { public function getMimeType() { return '/application\/vnd.openxmlformats-officedocument.presentationml.presentation/'; diff --git a/lib/preview/opendocument.php b/lib/preview/opendocument.php index e69de29bb2d..786a038ff82 100644 --- a/lib/preview/opendocument.php +++ b/lib/preview/opendocument.php @@ -0,0 +1,12 @@ + Date: Wed, 12 Jun 2013 11:40:01 +0200 Subject: [PATCH 056/415] finish implementation of Excel preview fallback --- lib/preview/msoffice.php | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/lib/preview/msoffice.php b/lib/preview/msoffice.php index 4fedb735c95..c2e39d00d94 100644 --- a/lib/preview/msoffice.php +++ b/lib/preview/msoffice.php @@ -42,7 +42,7 @@ class DOCX extends Provider { unlink($tmpdoc); $image = new \OC_Image($pdf); - + return $image->valid() ? $image : false; } @@ -65,7 +65,7 @@ class MSOfficeExcel extends Provider { $tmppath = \OC_Helper::tmpFile(); $rendererName = \PHPExcel_Settings::PDF_RENDERER_DOMPDF; - $rendererLibraryPath = \OC::$THIRDPARTYROOT . '/dompdf'; + $rendererLibraryPath = \OC::$THIRDPARTYROOT . '/3rdparty/dompdf'; \PHPExcel_Settings::setPdfRenderer($rendererName, $rendererLibraryPath); @@ -79,6 +79,8 @@ class MSOfficeExcel extends Provider { unlink($abspath); unlink($tmppath); + $image = new \OC_Image($pdf); + return $image->valid() ? $image : false; } -- GitLab From 1f52ad0363e2cff05e2058d31317b580c27e2c31 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 12 Jun 2013 13:20:59 +0200 Subject: [PATCH 057/415] work on powerpoint fallback --- lib/preview/msoffice.php | 9 ++++----- 1 file changed, 4 insertions(+), 5 deletions(-) diff --git a/lib/preview/msoffice.php b/lib/preview/msoffice.php index c2e39d00d94..65886169e9a 100644 --- a/lib/preview/msoffice.php +++ b/lib/preview/msoffice.php @@ -59,7 +59,6 @@ class MSOfficeExcel extends Provider { public function getThumbnail($path, $maxX, $maxY, $scalingup, $fileview) { require_once('PHPExcel/Classes/PHPExcel.php'); require_once('PHPExcel/Classes/PHPExcel/IOFactory.php'); - //require_once('mpdf/mpdf.php'); $abspath = $fileview->toTmpFile($path); $tmppath = \OC_Helper::tmpFile(); @@ -113,14 +112,12 @@ class MSOfficePowerPoint extends Provider { } public function getThumbnail($path, $maxX, $maxY, $scalingup, $fileview) { - //require_once(''); - //require_once(''); + return false; $abspath = $fileview->toTmpFile($path); $tmppath = \OC_Helper::tmpFile(); - $excel = PHPPowerPoint_IOFactory::createWriter($abspath, 'PDF'); - $excel->save($tmppath); + null; $pdf = new \imagick($tmppath . '[0]'); $pdf->setImageFormat('jpg'); @@ -128,6 +125,8 @@ class MSOfficePowerPoint extends Provider { unlink($abspath); unlink($tmppath); + $image = new \OC_Image($pdf); + return $image->valid() ? $image : false; } -- GitLab From f89a23b463884e1a9b89c84fdcb1c34afba62645 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 12 Jun 2013 16:18:16 +0200 Subject: [PATCH 058/415] implement unknown preview backend --- lib/preview/unknown.php | 24 ++++++++++++++++++------ 1 file changed, 18 insertions(+), 6 deletions(-) diff --git a/lib/preview/unknown.php b/lib/preview/unknown.php index 6b161424917..6e1dc06c1bc 100644 --- a/lib/preview/unknown.php +++ b/lib/preview/unknown.php @@ -15,12 +15,24 @@ class Unknown extends Provider { } public function getThumbnail($path, $maxX, $maxY, $scalingup, $fileview) { - /*$mimetype = $fileview->getMimeType($path); - $info = $fileview->getFileInfo($path); - $name = array_key_exists('name', $info) ? $info['name'] : ''; - $size = array_key_exists('size', $info) ? $info['size'] : 0; - $isencrypted = array_key_exists('encrypted', $info) ? $info['encrypted'] : false;*/ // show little lock - return new \OC_Image(); + $mimetype = $fileview->getMimeType($path); + if(substr_count($mimetype, '/')) { + list($type, $subtype) = explode('/', $mimetype); + } + + $iconsroot = \OC::$SERVERROOT . '/core/img/filetypes/'; + + $icons = array($mimetype, $type, 'text'); + foreach($icons as $icon) { + $icon = str_replace('/', '-', $icon); + + $iconpath = $iconsroot . $icon . '.png'; + + if(file_exists($iconpath)) { + return new \OC_Image($iconpath); + } + } + return false; } } -- GitLab From 25981a079a185080ad3ca2d2a23dd827efbd9d05 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Thu, 13 Jun 2013 09:52:39 +0200 Subject: [PATCH 059/415] some whitespace fixes --- lib/preview.php | 11 ++++++----- lib/preview/unknown.php | 2 +- 2 files changed, 7 insertions(+), 6 deletions(-) diff --git a/lib/preview.php b/lib/preview.php index ed33e7b09dc..3564fe3df44 100755 --- a/lib/preview.php +++ b/lib/preview.php @@ -41,6 +41,7 @@ class Preview { private $maxY; private $scalingup; + //preview images object private $preview; //preview providers @@ -81,7 +82,7 @@ class Preview { $this->maxX = $this->max_x; } } - + if(!is_null($this->max_y)) { if($this->maxY > $this->max_y) { \OC_Log::write('core', 'maxY reduced from ' . $this->maxY . ' to ' . $this->max_y, \OC_Log::DEBUG); @@ -101,25 +102,25 @@ class Preview { if(empty(self::$providers)) { self::initProviders(); } - + //check if there are any providers at all if(empty(self::$providers)) { \OC_Log::write('core', 'No preview providers exist', \OC_Log::ERROR); throw new \Exception('No providers'); } - + //validate parameters if($file === '') { \OC_Log::write('core', 'No filename passed', \OC_Log::ERROR); throw new \Exception('File not found'); } - + //check if file exists if(!$this->fileview->file_exists($file)) { \OC_Log::write('core', 'File:"' . $file . '" not found', \OC_Log::ERROR); throw new \Exception('File not found'); } - + //check if given size makes sense if($maxX === 0 || $maxY === 0) { \OC_Log::write('core', 'Can not create preview with 0px width or 0px height', \OC_Log::ERROR); diff --git a/lib/preview/unknown.php b/lib/preview/unknown.php index 6e1dc06c1bc..4e1ca7de741 100644 --- a/lib/preview/unknown.php +++ b/lib/preview/unknown.php @@ -36,4 +36,4 @@ class Unknown extends Provider { } } -\OC\Preview::registerProvider('OC\Preview\Unknown'); +\OC\Preview::registerProvider('OC\Preview\Unknown'); \ No newline at end of file -- GitLab From 6082a0649cefd356370d4ca8034041c1af3875ff Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Mon, 17 Jun 2013 12:27:26 +0200 Subject: [PATCH 060/415] stream first mb of movie to create preview --- lib/preview/movies.php | 14 ++++++++------ 1 file changed, 8 insertions(+), 6 deletions(-) diff --git a/lib/preview/movies.php b/lib/preview/movies.php index cb959a962a7..8531050d112 100644 --- a/lib/preview/movies.php +++ b/lib/preview/movies.php @@ -17,17 +17,19 @@ if(!is_null(shell_exec('ffmpeg -version'))) { } public function getThumbnail($path, $maxX, $maxY, $scalingup, $fileview) { - //get fileinfo - $fileinfo = $fileview->getFileInfo($path); - - $abspath = $fileview->toTmpFile($path); + $abspath = \OC_Helper::tmpFile(); $tmppath = \OC_Helper::tmpFile(); + $handle = $fileview->fopen($path, 'rb'); + + $firstmb = stream_get_contents($handle, 1048576); //1024 * 1024 = 1048576 + file_put_contents($abspath, $firstmb); + //$cmd = 'ffmpeg -y -i ' . escapeshellarg($abspath) . ' -f mjpeg -vframes 1 -ss 1 -s ' . escapeshellarg($maxX) . 'x' . escapeshellarg($maxY) . ' ' . $tmppath; - $cmd = 'ffmpeg -y -i ' . escapeshellarg($abspath) . ' -f mjpeg -vframes 1 -ss 1 ' . escapeshellarg($tmppath); + $cmd = 'ffmpeg -an -y -i ' . escapeshellarg($abspath) . ' -f mjpeg -vframes 1 -ss 1 ' . escapeshellarg($tmppath); + shell_exec($cmd); - $image = new \OC_Image($tmppath); unlink($abspath); -- GitLab From bea4376fd48e714b121e1abb54f9bd786e89c877 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Tue, 18 Jun 2013 11:04:08 +0200 Subject: [PATCH 061/415] remove opendocument.php --- lib/preview/office.php | 1 - lib/preview/opendocument.php | 12 ------------ 2 files changed, 13 deletions(-) delete mode 100644 lib/preview/opendocument.php diff --git a/lib/preview/office.php b/lib/preview/office.php index 20f545ef337..b6783bc5798 100644 --- a/lib/preview/office.php +++ b/lib/preview/office.php @@ -13,6 +13,5 @@ if (extension_loaded('imagick')) { }else{ //in case there isn't, use our fallback require_once('msoffice.php'); - require_once('opendocument.php'); } } \ No newline at end of file diff --git a/lib/preview/opendocument.php b/lib/preview/opendocument.php deleted file mode 100644 index 786a038ff82..00000000000 --- a/lib/preview/opendocument.php +++ /dev/null @@ -1,12 +0,0 @@ - Date: Tue, 18 Jun 2013 13:53:02 +0200 Subject: [PATCH 062/415] use ppt icon instead of preview --- lib/preview/msoffice.php | 21 ++++----------------- 1 file changed, 4 insertions(+), 17 deletions(-) diff --git a/lib/preview/msoffice.php b/lib/preview/msoffice.php index 65886169e9a..262582f0216 100644 --- a/lib/preview/msoffice.php +++ b/lib/preview/msoffice.php @@ -14,7 +14,7 @@ class DOC extends Provider { } public function getThumbnail($path, $maxX, $maxY, $scalingup, $fileview) { - + require_once(); } } @@ -105,6 +105,7 @@ class XLSX extends MSOfficeExcel { \OC\Preview::registerProvider('OC\Preview\XLSX'); +/* //There is no (good) php-only solution for converting powerpoint documents to pdfs / pngs ... class MSOfficePowerPoint extends Provider { public function getMimeType() { @@ -113,21 +114,6 @@ class MSOfficePowerPoint extends Provider { public function getThumbnail($path, $maxX, $maxY, $scalingup, $fileview) { return false; - - $abspath = $fileview->toTmpFile($path); - $tmppath = \OC_Helper::tmpFile(); - - null; - - $pdf = new \imagick($tmppath . '[0]'); - $pdf->setImageFormat('jpg'); - - unlink($abspath); - unlink($tmppath); - - $image = new \OC_Image($pdf); - - return $image->valid() ? $image : false; } } @@ -150,4 +136,5 @@ class PPTX extends MSOfficePowerPoint { } -\OC\Preview::registerProvider('OC\Preview\PPTX'); \ No newline at end of file +\OC\Preview::registerProvider('OC\Preview\PPTX'); +*/ \ No newline at end of file -- GitLab From 1fcbf8dd7ac69bfce888cc61084a72919503fd05 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 19 Jun 2013 10:21:55 +0200 Subject: [PATCH 063/415] implemenet getNoCoverThumbnail --- lib/preview/mp3.php | 11 ++++++++--- 1 file changed, 8 insertions(+), 3 deletions(-) diff --git a/lib/preview/mp3.php b/lib/preview/mp3.php index 60dfb5ff461..835ff529000 100644 --- a/lib/preview/mp3.php +++ b/lib/preview/mp3.php @@ -20,7 +20,6 @@ class MP3 extends Provider { $tmppath = $fileview->toTmpFile($path); - //Todo - add stream support $tags = $getID3->analyze($tmppath); \getid3_lib::CopyTagsToComments($tags); $picture = @$tags['id3v2']['APIC'][0]['data']; @@ -32,8 +31,14 @@ class MP3 extends Provider { } public function getNoCoverThumbnail($maxX, $maxY) { - $image = new \OC_Image(); - return $image; + $icon = \OC::$SERVERROOT . '/core/img/filetypes/audio.png'; + + if(!file_exists($icon)) { + return false; + } + + $image = new \OC_Image($icon); + return $image->valid() ? $image : false; } } -- GitLab From fb67b458412241cb91c01bdb339d1a4317aeacab Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 19 Jun 2013 13:40:57 +0200 Subject: [PATCH 064/415] comment out old code --- lib/preview/msoffice.php | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/lib/preview/msoffice.php b/lib/preview/msoffice.php index 262582f0216..ccf1d674c7a 100644 --- a/lib/preview/msoffice.php +++ b/lib/preview/msoffice.php @@ -7,6 +7,7 @@ */ namespace OC\Preview; +/* //There is no (good) php-only solution for converting 2003 word documents to pdfs / pngs ... class DOC extends Provider { public function getMimeType() { @@ -14,12 +15,13 @@ class DOC extends Provider { } public function getThumbnail($path, $maxX, $maxY, $scalingup, $fileview) { - require_once(); + require_once(''); } } \OC\Preview::registerProvider('OC\Preview\DOC'); +*/ class DOCX extends Provider { -- GitLab From efe4bfc693ce98fc45e6a003f9bedd0d9da1d1af Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 19 Jun 2013 13:43:11 +0200 Subject: [PATCH 065/415] update 3rdparty submodule --- 3rdparty | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/3rdparty b/3rdparty index 3ef9f738a91..0a8f54ed446 160000 --- a/3rdparty +++ b/3rdparty @@ -1 +1 @@ -Subproject commit 3ef9f738a9107879dddc7d97842cf4d2198fae4c +Subproject commit 0a8f54ed446d9c0d56f8abff3bdb18fcaa6f561b -- GitLab From 1a8e4399b0084a2769bbf43f0ba417c547ac931c Mon Sep 17 00:00:00 2001 From: Jan-Christoph Borchardt Date: Tue, 25 Jun 2013 15:08:51 +0200 Subject: [PATCH 066/415] increase Files row height to tappable 44px, more breathing space --- apps/files/css/files.css | 56 +++++++++++++++++++++++++++++++++------- 1 file changed, 47 insertions(+), 9 deletions(-) diff --git a/apps/files/css/files.css b/apps/files/css/files.css index 108dcd741c6..be29186cbb7 100644 --- a/apps/files/css/files.css +++ b/apps/files/css/files.css @@ -62,7 +62,10 @@ color:#888; text-shadow:#fff 0 1px 0; } #filestable { position: relative; top:37px; width:100%; } -tbody tr { background-color:#fff; height:2.5em; } +tbody tr { + background-color: #fff; + height: 44px; +} tbody tr:hover, tbody tr:active { background-color: rgb(240,240,240); } @@ -75,12 +78,25 @@ span.extension { text-transform:lowercase; -ms-filter:"progid:DXImageTransform.M tr:hover span.extension { -ms-filter:"progid:DXImageTransform.Microsoft.Alpha(Opacity=100)"; filter:alpha(opacity=100); opacity:1; color:#777; } table tr.mouseOver td { background-color:#eee; } table th { height:2em; padding:0 .5em; color:#999; } -table th .name { float:left; margin-left:.5em; } +table th .name { + float: left; + margin-left: 17px; +} table th, table td { border-bottom:1px solid #ddd; text-align:left; font-weight:normal; } -table td { border-bottom:1px solid #eee; font-style:normal; background-position:1em .5em; background-repeat:no-repeat; } +table td { + border-bottom: 1px solid #eee; + font-style: normal; + background-position: 8px center; + background-repeat: no-repeat; +} table th#headerName { width:100em; /* not really sure why this works better than 100% … table styling */ } table th#headerSize, table td.filesize { min-width:3em; padding:0 1em; text-align:right; } -table th#headerDate, table td.date { min-width:11em; padding:0 .1em 0 1em; text-align:left; } +table th#headerDate, table td.date { + position: relative; + min-width: 11em; + padding:0 .1em 0 1em; + text-align:left; +} /* Multiselect bar */ #filestable.multiselect { top:63px; } @@ -93,13 +109,29 @@ table.multiselect thead th { } table.multiselect #headerName { width: 100%; } table td.selection, table th.selection, table td.fileaction { width:2em; text-align:center; } -table td.filename a.name { display:block; height:1.5em; vertical-align:middle; margin-left:3em; } +table td.filename a.name { + box-sizing: border-box; + display: block; + height: 44px; + vertical-align: middle; + margin-left: 50px; +} table tr[data-type="dir"] td.filename a.name span.nametext {font-weight:bold; } table td.filename input.filename { width:100%; cursor:text; } table td.filename a, table td.login, table td.logout, table td.download, table td.upload, table td.create, table td.delete { padding:.2em .5em .5em 0; } table td.filename .nametext, .uploadtext, .modified { float:left; padding:.3em 0; } +.modified { + position: absolute; + top: 10px; +} /* TODO fix usability bug (accidental file/folder selection) */ -table td.filename .nametext { overflow:hidden; text-overflow:ellipsis; max-width:800px; } +table td.filename .nametext { + position: absolute; + top: 10px; + overflow: hidden; + text-overflow: ellipsis; + max-width: 800px; +} table td.filename .uploadtext { font-weight:normal; margin-left:.5em; } table td.filename form { font-size:.85em; margin-left:3em; margin-right:3em; } @@ -119,8 +151,10 @@ table td.filename form { font-size:.85em; margin-left:3em; margin-right:3em; } /* File actions */ .fileactions { - position:absolute; top:.6em; right:0; - font-size:.8em; + position: absolute; + top: 13px; + right: 0; + font-size: 11px; } #fileList .name { position:relative; /* Firefox needs to explicitly have this default set … */ } #fileList tr:hover .fileactions { /* background to distinguish when overlaying with file names */ @@ -132,7 +166,11 @@ table td.filename form { font-size:.85em; margin-left:3em; margin-right:3em; } box-shadow: -5px 0 7px rgba(230,230,230,.9); } #fileList .fileactions a.action img { position:relative; top:.2em; } -#fileList a.action { display:inline; margin:-.5em 0; padding:1em .5em 1em .5em !important; } +#fileList a.action { + display: inline; + margin: -.5em 0; + padding: 16px 8px !important; +} #fileList img.move2trash { display:inline; margin:-.5em 0; padding:1em .5em 1em .5em !important; float:right; } a.action.delete { float:right; } a.action>img { max-height:16px; max-width:16px; vertical-align:text-bottom; } -- GitLab From dc65482d50ae274b0db12cadce25f6fff0c86671 Mon Sep 17 00:00:00 2001 From: Jan-Christoph Borchardt Date: Tue, 25 Jun 2013 17:57:38 +0200 Subject: [PATCH 067/415] first round of replacing small filetype icons with proper ones, from Elementary --- core/img/filetypes/application-pdf.png | Bin 591 -> 1759 bytes core/img/filetypes/application-pdf.svg | 277 +++++++ core/img/filetypes/application-rss+xml.png | Bin 691 -> 1098 bytes core/img/filetypes/application-rss+xml.svg | 914 +++++++++++++++++++++ core/img/filetypes/application.png | Bin 464 -> 1235 bytes core/img/filetypes/application.svg | 320 ++++++++ core/img/filetypes/audio.png | Bin 385 -> 858 bytes core/img/filetypes/audio.svg | 274 ++++++ core/img/filetypes/code.png | Bin 603 -> 908 bytes core/img/filetypes/code.svg | 359 ++++++++ core/img/filetypes/file.png | Bin 294 -> 374 bytes core/img/filetypes/file.svg | 197 +++++ core/img/filetypes/flash.png | Bin 580 -> 954 bytes core/img/filetypes/flash.svg | 310 +++++++ core/img/filetypes/folder.png | Bin 537 -> 709 bytes core/img/filetypes/folder.svg | 329 ++++++++ core/img/filetypes/font.png | Bin 813 -> 1793 bytes core/img/filetypes/font.svg | 338 ++++++++ core/img/filetypes/image-svg+xml.png | Bin 481 -> 959 bytes core/img/filetypes/image-svg+xml.svg | 666 +++++++++++++++ core/img/filetypes/image.png | Bin 606 -> 978 bytes core/img/filetypes/image.svg | 321 ++++++++ core/img/filetypes/text-html.png | Bin 578 -> 741 bytes core/img/filetypes/text-html.svg | 280 +++++++ core/img/filetypes/text.png | Bin 342 -> 757 bytes core/img/filetypes/text.svg | 228 +++++ 26 files changed, 4813 insertions(+) create mode 100644 core/img/filetypes/application-pdf.svg create mode 100644 core/img/filetypes/application-rss+xml.svg create mode 100644 core/img/filetypes/application.svg create mode 100644 core/img/filetypes/audio.svg create mode 100644 core/img/filetypes/code.svg create mode 100644 core/img/filetypes/file.svg create mode 100644 core/img/filetypes/flash.svg create mode 100644 core/img/filetypes/folder.svg create mode 100644 core/img/filetypes/font.svg create mode 100644 core/img/filetypes/image-svg+xml.svg create mode 100644 core/img/filetypes/image.svg create mode 100644 core/img/filetypes/text-html.svg create mode 100644 core/img/filetypes/text.svg diff --git a/core/img/filetypes/application-pdf.png b/core/img/filetypes/application-pdf.png index 8f8095e46fa4965700afe1f9d065d8a37b101676..2cbcb741d84a8e1303608089a33e22180a0e4510 100644 GIT binary patch literal 1759 zcmV<51|a!~P)6y0bI$p6Bu6%zn&%#0xKS<6+L6nR(B9p8xxQ{?GrMF{;XqZ1#pm|33gATKwgs z#^mqmS+{FoZDmj7TmcKl7_b&hbCNa9p%uHRpo(EmQv#@;2)(;|HsMqT>8W{l9OP8^=S#UY1*NHHNRW*QsctO2@ zDyX7rFrugp=}>Eso(*(;;mgDwolK97@#pV+o6^iQao+&%Uwgl0$?35%EQB>OAGEO= z08v3j!bEFPtIZTBh`}cbxsN|g=O-S)ILE~kf8ebj{ebqwkpZT&!ct#rOitpO!BqrV zf}oWF2mnMuB`8c3v4&{JPP!la3{iVKS*^y|AHKrn-~NV5xj-p$%+xdD&Q8Kj3(Z<}bW;-~er!QOYM2qX;94_zY7l zh4Ne)!`MJ(Grdc5)B>Q^@X6Z!FM@LmKZF>w?{cmIqzbt(%3^d&rRVZ%0 zgT8OQNbZx5B3?iRBVaTb3#zRwSl4p@;+}50jj4Jg%v}O*nFvoj^DONH{jAx(o%Q$K z%laoi$Mn{_`1i{%W2YwP8E66S72~26Oei$B;a2LICtbk_muLVA@4d^FW5+qOe?Pzb z;?rCi8lwDxEeyQ$eHgr>sRL>0;w78|R(Sl`YL()~jbxb+>2f!00T3BeZ;NBP(wOcv zCB66#C!cwiH(xq{Nm2&B{sQLCElt`(UC-4xa||r%^;+1Lla5aEy|>`zuB`?@2^(LG zrQ{rKE@n-dFmdcSukYQ5iZHNmA9m~Ah{$|b5v+?^o?N`AR;z(3k#nrM{{b4AUzVj7 z0Mab4K&uiPD7%REIHrE~EGM7ai)5Znd%s5fq3sI{hy?py^z^gUSF5FoQACu2agKcD9C! zVvQw@la{oUw{4^0rM5U`iw}%eXMXX{)b!(hy}fZ1g-d2}$s0%%5})zcgNNAhjThMP z)Kgp=8zbrLB+Ie@#u(BxZP_vFv$MQ$_=t?oR$p5j)67k(R4Q#{Yd77VWshu0bGtC6 zqa`&jNvF?Te`&m(yX;U%d)z2?&|pX`25k?+~~jO{{au3n480DmkIy?002ovPDHLkV1k

~O9lw>B8WRlD)Gm}Jrz31u-X&&gn2lvjs=i{7nIaL6v2==uw+8Lcs(8j27 z;|c`rmSv@Lx!heopGP^^Ieb3f=R!%Lpp$}iMS-&P3EJ)s48wrJ_Ni0~k|c47D2nj= z{jS6bt|kFpFf|p5cM`_&0Zh|`rfEp0(}=}lT#(6RpzAsUfxv^LSYX>WlAaN$>)*J5 z0#sE+JRUD8iT9*fz{)_^7@6P&!sEjTcD+I9Z4YjT1`wH@fV{cEvneYGFU%maIEU2s55&K(LixD|{p-uiS@?KNj zk-Go8G$hH6g002ovPDHLkV1hVj1#|!a diff --git a/core/img/filetypes/application-pdf.svg b/core/img/filetypes/application-pdf.svg new file mode 100644 index 00000000000..3f9ad528afb --- /dev/null +++ b/core/img/filetypes/application-pdf.svg @@ -0,0 +1,277 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + + + + + + + + + + + + + + + + + + diff --git a/core/img/filetypes/application-rss+xml.png b/core/img/filetypes/application-rss+xml.png index 315c4f4fa62cb720326ba3f54259666ba3999e42..e5bb322c5733e7d2961fd27e049e4249a0d2a5c1 100644 GIT binary patch literal 1098 zcmV-Q1hxB#P)a7G#|~(yYCzq z@9WOI*UT(}ap8kI_ua?4_y0Tpb3fjQnX#Fd+f?=c0sadB_3j7fp1*$%XG0(xEM=gw zcH28AcdQFw=+M|xQw>4D2}oM9Hd(t$!&0HNwzQ~W80U{1DRn6WsA6Ylu&WE;93l=} zT0)p^2n$42^V&?4_SWr~YHxs84ZH^*fjG=L5SP0lJpe3-noQgjyidmN1%N8%74bfe zI1^7CuuQlTfWmgu0>TXQDNHW_GfUFo4G{ye)OAVbWnTbEZDFlS)vj9tP*w1W3kcu@ zgT(sO{cEp~Oq?_o1%P->#_s8W8s=lnD<*=tgxXR7sfs>u!BURQ5!3YE$5=mez$~%f zVof4-X~be66mC@NXKA1_4H$S!RzxoVRYQG}21Ky9Y`aT>k1 zAZjUG52Md+!*Mg~v&b_yV#VUVQjpM^SDLS%Krj4^{&|}C!YuJG-yjt>cK6Sr0vPdq zuYx!SkdYgxjZ9M8J;?x|f6TJ>(QD|XbL$ZV03_)$z$>b89}Z~Yz|!|H*e{0)YNjfoeVpZT=EEKST864DR!H8GQT|wmdk+ z;1jQ6s3xxGex_dd2h`3A!;e~4_mk@l%$w2prO z1A{c4Ie^B3MyYTYjD^qQejNzrz`_gnv9SLEqMyE^e*0dU&mP2LSpE2I^snEk-MWYR zT@#(6QI~kwu9yR52duEp%%NBQX7Q~l+CO|r{f@m1J~V}{EYmvqDFC%y;}ua`DGlbe zawn`vLE*sY^ii%q^exid!SZ|401VvoFzS`)>?r{1V|zMsUzLWu^s@?76^mjtQlj&x zk)dI9WeJx(!D!<{m4x#cW&R-(B;K^tCj2s z?)N)2U4Hq{25xwiGYdbpQb1=l6TxbDZwj&S={?7%qx-u`rsG(Zp`-rh=e^=%((1yvsuf5d=&62Zj)Y zH&JviNS_F4_Hj|T(1j4$p-!}kixP9&dB4uv^MveG?dGf%sUCoc2!IFxD6wHRA2^dX zXRVk!-qSfk(jcaUKn#RP48(whfPlJUpApdrA!TQi_4D+fVoM;3I0gZ8{=Xv~Po;geVA+Em9@0Wq2 zr>OTZEGR05L=gf1T;ucCxq6Q6EgJiH@@-lVaAlQyw`jIF^c=&IVnj|95hHbE_cnt| zTzZQ?F4Ne@(bH(~&3nM%m)I@ID{@jJ2qZPjr)jhpe9hViOwH5k&|T#EmmL3(vHeUQ zq^!t^Al6JD;=mHq^Bg?J-8-zG2Od7gZbknG;K9czYjPqG*xjPo0k(c4%lPXTpw(qq z@aGMnxtFS(np+2kC} z7P02O874ZkJH$v#nCUVx$({yDN`IX@o2wyvTD#e`qN`_w5<}$3F+_ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + + + + + + + + + + diff --git a/core/img/filetypes/application.png b/core/img/filetypes/application.png index 1dee9e366094e87db68c606d0522d72d4b939818..3518d3116d2a6d0fadd6b09b3b592a2cb322bdce 100644 GIT binary patch literal 1235 zcmV;^1T6cBP)zpC!G631~st$=$LjuDnvM`SqpI###sn8@8#)w6&qwSNGIL1Hskx^mf7_ukXz+^#B% zs;c;vCVy%5{{aAg{mYXlPksx6;AvG=4_4=Xf+-=y-(^|;_4x7Q(MABC=RJ+0=wY|p zmA>yIr9?`J=Xo2)Qhp}T7~@=Py>YCR@`uCW!?Uw9fIl|^P)a@UJWsxU{n{1tecydr z_dL%5u>iEzXsuC7Ik(>}kY=+fl~NDtHJ1PwV|=?<2tid<7-Nu9y0O+8fU2t27_hNb zRk`)`@t1l3s{mFLtOg4q+*G zL9f>%iX!qnUn_ns2CQXSMzh(Zsw&rrM@L8W`+Wcgg8?5td_V|+F@~L;9kMK2(tj%k z>L_j3W?6<(is^I;Kv|abdOiC6K3SFl(C_!rTJ!$>dxQ`S1_So@_X&c4cDw!GBse=e zLrRGd0x2a*DQ?}m#p&s(TQi@}IXpaMFc=U70Yy=8adCk$W~~pllAzAOYC{@h$n)Io z4e+^7R`p)poVI4b2H3>+@84%WpEDc|xw^VSYt3jhqSNUtC5q$N?UuW{yL7u<_V)J3 z^Lz=+wHUBZ8HOQ25b)x~3#61JNkUN+gkcE4cswS{GJM}hDaGBpcWJlVEEWrw>sk!h zASoqjnj(Z?GMPA8q?C-uW70GQKuU@4`)>a9^pt~xgC!ZaW?=Oo5khczc}bEaNGU1H z()EPz`%WsQlw&N8W2&m6)oLxBigkIdt(^sRq}HP-A`C;c)*KxjadL7(v)Od>&1RF6 zlM}k#E?R5CFm#(&-LEBqy$=W>$n%`z<71}NDZ9J7eERf>D2m)^7)2362ztF9w{PF3 z-EK1&43_k_3~VLADga{)uU@_4#*G_%{P^*6;1|s;aC2p|l@cDLJoc6D_XCQ0%;;BBn(0WbcEP)8e6`gpm!y1M!N^ZV(=IC*t) z{^;nqJv-tM$9J1L2QJ2DN!#51=1_l@G`2=6e0lehL%sic%`_4--LFM}IF!KzJCseW zq1I3__Z40|e?qyK1__gzP(qrBf-G7SQbQ`#Lw94WVe(o`qg+f4hy;Qju)q#I(9{`% zQmAGomzhQ!b|gq>KqL@IkO~$=Koi}a$u6d07kiS}NoYVMJjAeZpaB*;wwcDdEbK@K zNP;B7RzhQ|H9AlUO<`J>m1(5R)Pb-iLBb@7Jp)}LHdAb-VVgYxVoTzGoqu{~a>6uj zeqCRFI9pC#h09bGwy9;oHcp6(RB%jeY^F=Ll!S+9JkVe4nDG7tJMQiP0000 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + + + + + + + + + + + + + + + + + diff --git a/core/img/filetypes/audio.png b/core/img/filetypes/audio.png index a8b3ede3df956f8d505543b190bc8d1b5b4dce75..cd9821ec047ff066ac222f7434fd318f1968a6c6 100644 GIT binary patch literal 858 zcmV-g1Eu_lP)NI9*~1SCT_Gs%VjNDv0ZoG^URyES=V*=%*HvDbeh9Q z)6-KtJw1^GhEh7vfK7xk*1OF%Vtb_Px}Fs09BG^)&#sMb)+~*6VeDx!8uy>8ZGn)_~baRl~(% zfvTz;axnt-mducRgsSs|35u?Clbynh-6_%cfPW9< zc^(*;&*y{HlS*N~1!))yL7JvGIXOXDmPnEW^Z6WUnmVs2$_uef7^MMImZg+9I5@!B z*%`FfsO#Fv7z&&s5+&g0zTY;R4K|z2;O{X4V;&^DC<@GGGXQkq`J3i>z|kEuKNdxi zuU4xcLWmgv&KMIPg8oiI0nkdR-+7*YUoMv`hX4Q^9UV=TQeToJ$+XrVN`P~&+P0NK kh^j2hK87q7?|;$$0M}CEus3`j`~Uy|07*qoM6N<$f-drfxBvhE literal 385 zcmV-{0e=38P)klCE>?a@fNhGaV ftv%qM$TQzJ6;XjO8erVL00000NkvXXu0mjfw}q7O diff --git a/core/img/filetypes/audio.svg b/core/img/filetypes/audio.svg new file mode 100644 index 00000000000..f742383d632 --- /dev/null +++ b/core/img/filetypes/audio.svg @@ -0,0 +1,274 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + + + + + + + + + + + + + + + + + diff --git a/core/img/filetypes/code.png b/core/img/filetypes/code.png index 0c76bd1297751b66230f74719504b2adb02b1615..753d151f538842c2636a94e0f9231fc4ef1c301f 100644 GIT binary patch literal 908 zcmV;719SX|P)calP19IDZ2()FQp&u6e`_n%%{zg$fG7#T{5*f}IRMSI>v=OdjnCu4>voZt znPW?hPD@=iTLOB~5Jdr)Y0pJEa=yN{%|#bpscy*t7w(Ved`-dieEc?x&*Netogt`u z`S@*?pkB$>*%X8OwmT1SwzsWdcjjEj0WLm#Y4L9j=)9Ynv78NbHd0sREeKcA68^C> zJ*~E+NNfG7Vyi(E1@O;bLv!$xOH(;t*NGbD#y*gGov;-O4DNOg!2ArKuCe%iyBhKB zYRoH8$jX|)*yXP|U;EK&7G8WJ^=i_RQ`r{6+qJ2ncu@d`VOWB@PHnIzgg4<0+rW7=;1;izPJMweME|Xz{et{60wL$2{xyZsozNH~rfs{rgt?xf;zwoCoU4ghY9O#pDX zJO3q>uWrcz2lZoFhfgA-hNZKCj*YfX9S68OdlSE+qkeHS`E&}8$3uUAe>PbWYY))p zJ%B(!y+nqVVoJ5L0d8Nv4S?V8Cz(vLzrK@7;U*JLqK5or;z_iIDvbF>+^s@ zb}6InA?}RFIn+^y$ED^4$XC0l2{1H7jjA&6+pnrBQc4c*sI%l9@2+1_#9X&@fQkxR z;F>R?rfIm{?vh1Tvp<*IssKU=Wn^R|F*-ULbX0w*enJSLNGWsIqA*hlAq1c=2XoNU iz>GABigJEWC+!!w&Od^wnO&v;0000^~*-1fljz_B$LUvK}k?BNXe#Y!m=zM!!V#}8bncK5m;8VP zw86G*RI63?Cd%b9bX|ueNlZ|wR6rj|r_)VIP@r2imh3?SN+^{|kY%~8B{maJ@F*OK z&VH9LwOeGt#DRjj0~v~8`>iO7!Ybi;zE$va`A^T#yW`y44;k^#O~K5*jD=qcUhPSc zvyy~q;5H_1WT1l~cqje9yfa+l!hu6xjdOJ8s;8E^+=QQ$tw p?%p!Hy#YapB=@+^9(46X{{RQg%9y;OKjr`c002ovPDHLkV1g7l326WT diff --git a/core/img/filetypes/code.svg b/core/img/filetypes/code.svg new file mode 100644 index 00000000000..1dee047b11f --- /dev/null +++ b/core/img/filetypes/code.svg @@ -0,0 +1,359 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/core/img/filetypes/file.png b/core/img/filetypes/file.png index 8b8b1ca0000bc8fa8d0379926736029f8fabe364..c20f13c2e13af5bccf96b77dd66a6a0df0508c90 100644 GIT binary patch literal 374 zcmeAS@N?(olHy`uVBq!ia0vp^3LwnE1|*BCs=fdzmSQK*5Dp-y;YjHK@;M7UB8!3Q zuY)k7lg8`{prB-lYeY$Kep*R+Vo@qXd3m{BW?pu2a$-TMUVc&f>~}U&Kt-QDT^vIq zTHj9H&D(4s(Dq)Z+eliWEkR@z&jFT~D>P5CyqVw|WW>-jq3h5tZ(${F>&}jI2ZR1h zzjpKc-ODG=B&=TdIyg{7mF0p(-}Qa(&wra4C;hZC&dj$s#H-UvT`A-CHOq3KHP0&9 zl6y27uEm8v;4O|7c5LGF}$;v{gPaVutPR)C#5QQ<|d}62BjvZR2H60wE-&H;pyTSqH(@-Vl>|&1p(LP>kg~E zYiz5X^`c$+%8#zC{u)yfe-5 zmgid={Z3k(ERKCKrE7DF;=x4^O+ pzO8rLO8p|Ip=x)jHOtWj`bJBmKdh_V<`47(gQu&X%Q~loCIFbEay|e6 diff --git a/core/img/filetypes/file.svg b/core/img/filetypes/file.svg new file mode 100644 index 00000000000..f0c0f1daf7e --- /dev/null +++ b/core/img/filetypes/file.svg @@ -0,0 +1,197 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + + + + + + + + diff --git a/core/img/filetypes/flash.png b/core/img/filetypes/flash.png index 9f5db634a4fb42ad33c7a78f5488f03308d3317c..bcde641da3ca196a8212a5b6d91a62013f1430ab 100644 GIT binary patch literal 954 zcmV;r14aCaP)8=ZhVsRlE5JVI@Zd?wX?nDHR%jISl z78YJM3?tIyQc9MVmICVm007r@>2x}g0$7$d71}a;+Y*Hii>bv@N<|LQ7r^ZtqE-N) zTm7Bb0bR^UTd=dfPH}aW(%KrPWYo~BGOXL$NVhG%J2g4u$pwpp47*;x^eo#2uS*qfY+W6C@s) z#dX~S!`w}-8^VEF;Cmj$<@d>rXNWsCrfu?9+oQO0j!$N1_~MzTwSGDcbP<(5{g~mQ z7{enYIJQYgDss6=rY0xw+djYl_DjG&x{F9Du77lvsm$HP9TU?uF%{UBf$T`!RvW_* zS^%B;K882HynxwmkxWlw$75W+{434M%>y>avf0q_`r3h88%3_Yy-05A9)^xNRCX&2 zP2S5>pM4YXuhnXSwZQ?DqVfGY*WP-AiLp`A;~5Oc;zntknRm`otyXVeWd_~#ADG7TyifoGzXkqYh3VzF*APPBc^<7+i)zn=hXn{d1HB3}<%8<~`B(g(16Y!Kav9LZ#I-!JhChA6D-Iv8UfilU%gE+d!ANl7-FMJko@B=v9?3Fv}pny_sf z=E*mhpTB_ZBv7eTkk99(z%UF@k#stJCutT?*giObx$qWlViRogHB?nap-^ZUi83t$ z=kGt5(=*`f%P^*A!PYjsQHsT)>?D)PJRsm4)^;3x^8<|7M{rS<(>t*|l29kKk5Z}B zUcfJY! + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + + + + + + + + + + + + diff --git a/core/img/filetypes/folder.png b/core/img/filetypes/folder.png index 784e8fa48234f4f64b6922a6758f254ee0ca08ec..b7be63d58369d5da485f12ead9ca6982c8e8e563 100644 GIT binary patch literal 709 zcmV;$0y_PPP)M_{T#OD zL*!f7*x1-vsEwk95U>jf7J?W|NZj3IbMMS~T9|!>kgRdc^k2sZ#MOqsjx?%!t$0I=ZhpQcF+A>0EnJ3t8GHUPLgnEA-0vMdKV zcTc!(*WK49003Gd^3lwW%{DWL$W)a&EQ+GIKl~n_==FLaqLco2s%W)Z6XW3Sc+g&Y ze0g#4>783Q+p5|qAkTArUj6c}^LyjPn^!NN7XWbe+Vw}v%g@?Ho;SMqARaC~X|JrT ztONK9NGknr8$F26=UQmx0GmZ%{|u;jO(d|qMAMIB2!N|X#p)q|g=1m?P|O7&Dqz!U z2oTjeu_Dg^Ygmwl0Aqo$j8%Z8A{G>-%>|$&P~j1P64#Lh=ggtjEFjMSVnJjZZ2?oP z6Du-p9$*e6QBaB_K%`WW2ugLx900_MNNEH}v8qTEEo&a&07wK>)g!>}PQOYdIByQt z=DXxXf>`y&D$v{9BN4DVSdV`V|1UBSGxj>&y&+(G^Jm4Z5N*B!0S*#Hck9OpK>a>P zCML6z{;2}TU=N*kL}KlCIy3|TK&n$B;xfqrz^pGO%aCFn2g3otV~Ug#Bgw&j;0VA; zY?h<0V*+5~fS|FqOBZqglRZHbC*oI%!!i#5J8K_azx}%U{)&6EO+g63l;ReEKCs`C r?N1Z{F5+MbW*-V**WG0Ta9Z&Pj@y0dwwZ6q00000NkvXXu0mjfO6e%^ literal 537 zcmV+!0_OdRP)x(K@^6+>g^d@v4;gkbWsEoXE%32*i1tcpTNXd5CcIl)ECgqz|2rE6EW}s7R?kl za1q`0GCkMruC6-2LANtwVlsgzsp4?{@7$`KBv!G66>Vie3h?3OmEEkjwdLG0PgLVi z`!N((f$A@n17Ldj#`};0I3@iHJ5M{#IZz|UIYRm4(!uV7eYIYIwQf&}_2J~}>pQ^n z6o8--^T(=hkBNQ_k{-_GWE;FMW7!p}f{NG3nHZ{D5<3d8&tLh%a4AqqnjMkr3m&fkMdECD3N5}Unig5wy40;>lo4j~k+e}v)` zR6)J8Mk*u=SpB`p6o)7j?S0T@9?bz#m@l>gc*zk__|*!FMcHwP!gwLJvS~9c0px8E zW + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + + + + + + + + + + + + + + + + diff --git a/core/img/filetypes/font.png b/core/img/filetypes/font.png index 81e41de7d3a9bcc50267b34d0005487d5c7cc7c0..df44a7fc47db6c6edce188fa5e00ead07456bf97 100644 GIT binary patch literal 1793 zcmV+c2mbhpP)kn#o@63d#~SKd+oK^#LT#!OYK22X zLr*dD$ihD}KYHN6f#6 zT>yCNt~>4(zWzFd`lNsB&FuB{1f&&6NstsM=i=ek{$mdx{luLkw~rlp0l2~zG@H#q z0DYe4Ax%>U;FXDqiPr&~$@3gx7!rVoMw-pu$-CFR#8L2ycT4{RvbV>j({tJU@zNhLykMF8XxI?P9+5%Q%XkxcAQ|vW0o}e{A3;Ewr_1 z3APT|TpG42?R|?|{C)tw?{85`IUxkv?RE~}Y3|%y6B83>r4VCTmcjEpoGu(4Ki8gY z?mPTgw{rk+N{&R!Z>+hbK>E-3U`QVC*1Ru(5MoCV1a;>evMggE#812XKVyr;wcBvc zL1~RAt=UL(xs>xpqtVCAo3z%*^Be#s_wL<$ zVsYa2>o?y8Y-V<_)BFi`kLlQz&RLQV~kHkJDGVW01!Yw)LtNF=E2NxLO9R&rPjLYoLj63FW<5L9^aFz07N&rBuR?`6Vr9eAPGBdQ+l;`0wYaWU1{?%2lssu2Vl&zyeZr>BypE>6s zgn$5jv?YacNf}#4khe>v1tHCBRxqY63qV9Wq?C2%9E>q3Gw&K7AAhS`^ZeSu_yd`# z`T{Uc=qNXjjs@~}Wm#@jN(m{2dP6yC=6H!f_Y|4AnFNp+pfnc)EY^WWqtORolMv#3 zb~{I9S^j$I0ArElg+-Yg+yD~@rn|Sa@Srf3m>G}~2Nlr_lkfX9d^VrE!t<2=uwCn8Nms`J%Eq|X-o z#8l4hvnAnO1Dq`xbJk&P#$e~b%pgG#fUnKwMS8|K%o@OB@_U7liG?+melU9S;LjHU z8jZ%s0rYi34`$X=Q&X=2hycirDFFK0({CJ`w#AQ*6=nOhahNfT6S*ye`8;>l7M_la?YV+yIZYR3qW@<;Evg! z%p7_0tSP=VUAiNuOZ)eCO!13D|C;%n1I{hXK}6nUudid{etWXC#p%Mnea01E{?5#s z-vq$ixwvTIZAe5OfUvVt2OtAbEF6%fxzK@ET@liqi0KY!4j=_!K2_-pk0xj4-v&wm jmb)IL^#8}{^#=GivXWu0)28I700000NkvXXu0mjfbU9WX literal 813 zcmV+|1JeA7P)%S8Yz4}?d^ZEOv#Sc!)mtIgHXaEQ+_ullV zJO1Y8v8UhuAAS7ozvIlitK{;}YszGvVI*jPQs)gu{RuZGF1qsJqxF>Ai*mOY zeUVJ^Xn04=g+vNN2-6q_7DHe6!8fa@! z^ZEB_2Vebf-umoI@{HTtK!PIfdyIp7Zk$|p=*|D=N%#IIE_w1_EaGe}ST5wWclgx% z|Fx4ZY{8likTKA?G12oM|4&}@o+);3yYs=L?ao)At-(S*$63Le zJ&q^>ZEbL?y!O>L=h9<7rvvdA2Do?L{p8zs_rGt?o&P=^cm5ltT|5S~l@laqmU8i; rSIv!oK>XjU`o@3v@@qdCD9z3Q7_5=EFk?|V00000NkvXXu0mjffa;^e diff --git a/core/img/filetypes/font.svg b/core/img/filetypes/font.svg new file mode 100644 index 00000000000..404f622ea7b --- /dev/null +++ b/core/img/filetypes/font.svg @@ -0,0 +1,338 @@ + + + + + + + + image/svg+xml + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/core/img/filetypes/image-svg+xml.png b/core/img/filetypes/image-svg+xml.png index a1291c2dfad75b289f88ab762a3a32ccb436c1ed..e3dd52489d3772962e22cdf47569b53616fe73eb 100644 GIT binary patch literal 959 zcmV;w13>(VP)z_|7@MbH1CXD&v&%^iqNC6zjp|aZmRb{Gb&4rJudU0!ZU@;&b3ZQ(98X^?H zWA8xK;(sR4OFtmbu7hREXXnht<1ls^P5+Io>_&Q$$hxv%*pp~*1m@GVjosx1A1$O!tmFaOWz|qKZPajp#bXMf;k|@K;T0$j~atHdzARr z_ld3V#cuD!YK-ALwUXxEw}?NHK>H8Yj1wB5QnK$etYym~pM|T#hz8iJo=5y_$qF+_ zJ_Gq_63=zR#3=gt{;D_&KLbmYBQi07i&EL={_ zi4n~^uyGr5{a5tH6~s#;K@KU*fR{!*_bxyNEBPuW(Gd!u?iSSCL%{6#7y_T%i4X54 zpT_d0kemyCj_ICv@n1iT*|NK;m}uUCL< zy_+D`9LhHoKqxh}Vy)hU?`Du+E{1Yh@IzF~nkI&6ac)8^jy>29H?Bn2f%&Xu{2N;T zIEUC4Xh8AJKAh8su)jME?w`>E*n|D0DosG!*q1bq4+2n_%%CftCRnwm6m0w&v6BZL z3Lw-qbiO?WKvQ;vvf;J@<<+Oz~z@wR`0ef1}Tm-j^vP}s1o%CXF$G_-YMUg(`O7a2elivAr~AVj4e zdk6lX0FL7jkH;egxcA9D5I{t%fq{X^p`oFUNVDIMKPe)Xs?L6kQcfiz0<>0wMJON0 hXjxKO%u^pm{{i;%Y;-~x&NBc2002ovPDHLkV1mQAx^@5n literal 481 zcmV<70UrK|P)SXcnW4?r|Fc?Kd3cm$;%kZi#G`Sa_VnwmC}YZ26Y zhXbnt^XAQKXm4+SUQ}H6r(?sz`|0x@O--EjU}EI72kk(5e$=!F(*t|%| zOO`#}*s$)|C0u^?YPrGY(Rf4Gt^S&sOU+enjCclWzS^+v`E5dh=Tv=F*rDQzDn?3c zT=(o=$L8ms2^j#wwxyStFa(R1K0Y&H$BX|!zZw%`2!=rX%m*7M?R@p$v*kt(Sq6Bw z+-#h< + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + + + + + + + + + + + + + + + + + + diff --git a/core/img/filetypes/image.png b/core/img/filetypes/image.png index 4a158fef7e0da8fd19525f574f2c4966443866cf..83d20fdb7762d4b52b398c80e4ecc3fb6f2d5470 100644 GIT binary patch literal 978 zcmV;@11@dUJ z_uS{qnOPyFq@AX;75#q#fES=pD6}OJy1KfA7r;tHA;ez+wkLj-fDnSEr6o$GQgxDj zqP<^l%)PLEj%k_>Us+kHjyV*_<#JU5KVcT2l(O1d-wp*#(?keSv$IClY>pko4Q_88 z1gr%O!*C2XGs7_OcsveZx73Y@*f*fqS-0vP9UV+gPU7)+&~=?krGlnuXqrZ)QfcbC zt~*Gyq=1wX!!S@31w~O98yjP2Xoy@c$I;PI(;d6}R;cTSz?$r~P$g4gS< z0*sE1GBGhhAP``Gf1ka*y_#LyO;MD_1neQOFY@s4!13`h!^6V_gF$p%C!J0ckH_in z?+2huhgt6OBgc>FHs4d6}oDC!*0Pi;Ig$DOp`z zKw=y@8NH9A)i>j*R^LcJ>ZvnW!zvuh=8&y?VSXf|ZXNQA> zgQg|jt$^bgetv$E&1QLjf9LJ(jjyjSd_Es@b91Pw3V^DrOifKWS^&S_PcoULv$M0N z9@I<5nqw%Xq*yGX>$-#S$Hxb$RElsoOg^6{nM_vQvaPKxUSD5%d3m8wDExT{8r6aG z^K(qoWO{mq=bD-72)CKr9v`7z}c9a>C)^Ar}`HWHK2tnGAP#cNB}omhX^%J%(-x1AzcD zGc%-8DWsIFudh4CudlCL0=BGa4!GF?%+JrWySs~F7{3MdBLsSTdkKX?+}zy!2zWh= znh;n;Ls#OM)^b%<9R!4wl5{%VmRE5+9v6xbLiybX$xpcu zLJ@!fV!%H@$6wlf8OQ-oqLoMJe`#(1HETP8UxCcTx6i@D5&!@I07*qoM6N<$f_;y! A`2YX_ literal 606 zcmV-k0-^nhP)Q2rnAt>LM%-F zK|rtwgcU)}7x~z1Hrcs5bH*ZO$!>xO8K#?==bZPQ_ecnV>#P`H`QzGaRhd62G_&rC zTLU$c7_x*nFP_dW#Q+*);mMHE?j)HexK784D4x9l_tfpz2$@1y}9rkF+ zI+J5NMWeZyObc!d+rUc=>D+uOdAOg#%+Ej6h+wn5^xPmVVH*Eu446Y0A_@ zo$rlds-+sL10Db + + + + + + + + image/svg+xml + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/core/img/filetypes/text-html.png b/core/img/filetypes/text-html.png index 55d1072eafda48abb0a5fcecb98b114d866077b9..de11613f25f41a5918b041f358a66cd38366eaaf 100644 GIT binary patch literal 741 zcmVba;AtS^`X`Q)aW-{s5~WK@i}19;H%=YPFh5sFb4L?{j~Dk1>X7wMwZ} z!t*?WAV?J6*#V^#gTa7eu}HmMCyJsJz{|@E7Z(>?UtcfhNWEUCSS&Ia3{Xn#=783E z89W}30cbXx#BrP|uC=Dy?Q(m2i>lnJOi{m&v4B?hm;gCY1K&@6I48y~YVI0Ra8jWR7EcUzIE;lzf zsU};*G#ZV}zFF5_U&S9EAK11{rBX@Q`0((6lrr^b%H>~QU6y4fzN!wI1yV|`uCCBp z^Zx!0fbaXMWB`|!msplX7>1d7_W}S2f*`Zty0V%z7l1?cWdTk;j!*8u*95R_oAdMY zTmcrd<*hNZ(J00000NkvXXu0mjf_EbrX literal 578 zcmV-I0=@l-P)dis)>+`f+#3Rv=dSV4I&~|Vk?LiBG~#L1X~NSQGbAyogj#ie_$n8 z*oYwUieR#5zw>=_v)By?+NE%sVPM|5yzfjE5$wfk_Go)9(A<0e{hvFiJ0eb2MFf%t zDJxl&RDw>Nl#~WweRba-&_F#fn|ifCG!S=00#QfIDe64k{5mZFusu=CnSq>Qvt$j5 zI$4b(K~|@Tvozn3#yaJ|Be;BKfh@+AwFR!7UF7D*61OfavvGQ!VN-Ga+zO*%#qEoS z8E0dX4NpRyRS|XCrXq{e4r(61{zg^7gBPDUwmjg}k(Q%NLkD6fm6*tZ=)6^ARRw9CNHr!!-b)EovamKwdDMpr>=!|-tf?S+boQE&JP}G_9P5@nR zSOjlBPI$jHA&U_KsTjQko(uJ_ROpKn!K^ckXTHmZd+_Mh7C&~BUYvvb=Xi2w6%i+L zP+hwJF0QUE^66)$h?CXHvdjEbu3a_69GS^`e5Gac*$0~K9VHcGVKhe>RE(rT+Ca5J zv_?D-3(OpKFrQAl`$E;pyKkaTN=V?@iK2u!kqwFy=F?aM-2b}R>c4;EZ`t2+*gqpJ QK>z>%07*qoM6N<$f@8}2CIA2c diff --git a/core/img/filetypes/text-html.svg b/core/img/filetypes/text-html.svg new file mode 100644 index 00000000000..bf29fbcbbf2 --- /dev/null +++ b/core/img/filetypes/text-html.svg @@ -0,0 +1,280 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + + + + + + + + + + + + + + + diff --git a/core/img/filetypes/text.png b/core/img/filetypes/text.png index 813f712f726c935f9adf8d2f2dd0d7683791ef11..2b96638d16c9af6b5f98350c4ec102d4975c1b64 100644 GIT binary patch literal 757 zcmVr^#nd|{2jDfVx`$1`XC^PkIDD5WqlpU;1cMx#5v z0GrL`_v7Q^Pt#^)7x}(_cYlBXz0qjYdbpI5#bS}O=Li5qQN(VytCfId6&^)lnAx<{ zfqgy;X(^>@CsB!jxnaFt5C9}=0364m-|y3Iw@ZoT2>D-+VUx9;AS|c(qyqq@vaT9mgSxB0SGSN=Y2YD5X+rbh}*!gTdh` zkW!`yOeT}Uja8uiNh!+-m>U3IUS0rbwOS~plJ@jG41fDgB+erKo`na zOv9s!aJgIp`8Ev05Zkti;~2+rk`~nOKR!MfkH;yWMJOFarxal=gGei2+cr|l%56BE zPETvYo12@mC3}%A+=B_23OqkQ1JG`_iQ^d8b=hvWxULI)DxmAb{Jpxm%H17D5jaJG zYz-VlAbS_og`@8Ror0pfK=q#u5CgH zf*`=MESk+G7Z(@wdcDMF5lU;|R0Xu3N;P2O>FEh5&U+99oS&c5Y&HqQkju-(g(B`YhYXo=00000NkvXXu0mjfEhtiT literal 342 zcmeAS@N?(olHy`uVBq!ia0vp^0wB!60wlNoGJgf6SkfJR9T^zbpD<_bdI{u9mbgZg z1m~xflqVLYGB~E>C#5QQ<|d}62BjvZR2H60wE-%6;pyTSA|c6o&@eC9QG)Hj&ExYL zO&oVL^)+cM^qd@ApywS>pwx0H@RDN}hq;7mU-SKczYQ-hnrr=;iDAQMZQ+*g=YOM= z!QlMQEn7FbaD->uKAYgo_j9)W&$$zS*W9}m(ey0q$&7l-XEWO0Y(9M=SnhLbwy;d>@~SY$Ku*0xPvIOQeV1x7u_z-2-X>_74(yfh7C znXL|3GZ+d2`3re2hs?MK + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + + + + + + + + + + + -- GitLab From c7fdf00e8497af9804b0cfd4fa081940bf53bc96 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Fri, 21 Jun 2013 14:24:52 +0200 Subject: [PATCH 068/415] add unit tests for preview lib to make @DeepDiver1975 happy --- tests/lib/preview.php | 108 ++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 108 insertions(+) create mode 100644 tests/lib/preview.php diff --git a/tests/lib/preview.php b/tests/lib/preview.php new file mode 100644 index 00000000000..2599da400c8 --- /dev/null +++ b/tests/lib/preview.php @@ -0,0 +1,108 @@ + + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +namespace Test; + +class Preview extends \PHPUnit_Framework_TestCase { + + public function testIsPreviewDeleted() { + $user = $this->initFS(); + + $rootView = new \OC\Files\View(''); + $rootView->mkdir('/'.$user); + $rootView->mkdir('/'.$user.'/files'); + + $samplefile = '/'.$user.'/files/test.txt'; + + $rootView->file_put_contents($samplefile, 'dummy file data'); + + $x = 50; + $y = 50; + + $preview = new \OC\Preview($user, 'files/', 'test.txt', $x, $y); + $preview->getPreview(); + + $fileinfo = $rootView->getFileInfo($samplefile); + $fileid = $fileinfo['fileid']; + + $thumbcachefile = '/' . $user . '/' . \OC\Preview::THUMBNAILS_FOLDER . '/' . $fileid . '/' . $x . '-' . $y . '.png'; + + $this->assertEquals($rootView->file_exists($thumbcachefile), true); + + $preview->deletePreview(); + + $this->assertEquals($rootView->file_exists($thumbcachefile), false); + } + + public function testAreAllPreviewsDeleted() { + $user = $this->initFS(); + + $rootView = new \OC\Files\View(''); + $rootView->mkdir('/'.$user); + $rootView->mkdir('/'.$user.'/files'); + + $samplefile = '/'.$user.'/files/test.txt'; + + $rootView->file_put_contents($samplefile, 'dummy file data'); + + $x = 50; + $y = 50; + + $preview = new \OC\Preview($user, 'files/', 'test.txt', $x, $y); + $preview->getPreview(); + + $fileinfo = $rootView->getFileInfo($samplefile); + $fileid = $fileinfo['fileid']; + + $thumbcachefolder = '/' . $user . '/' . \OC\Preview::THUMBNAILS_FOLDER . '/' . $fileid . '/'; + + $this->assertEquals($rootView->is_dir($thumbcachefolder), true); + + $preview->deleteAllPreviews(); + + $this->assertEquals($rootView->is_dir($thumbcachefolder), false); + } + + public function testIsMaxSizeWorking() { + $user = $this->initFS(); + + $maxX = 250; + $maxY = 250; + + \OC_Config::getValue('preview_max_x', $maxX); + \OC_Config::getValue('preview_max_y', $maxY); + + $rootView = new \OC\Files\View(''); + $rootView->mkdir('/'.$user); + $rootView->mkdir('/'.$user.'/files'); + + $samplefile = '/'.$user.'/files/test.txt'; + + $rootView->file_put_contents($samplefile, 'dummy file data'); + + $preview = new \OC\Preview($user, 'files/', 'test.txt', 1000, 1000); + $image = $preview->getPreview(); + + $this->assertEquals($image->width(), $maxX); + $this->assertEquals($image->height(), $maxY); + } + + private function initFS() { + if(\OC\Files\Filesystem::getView()){ + $user = \OC_User::getUser(); + }else{ + $user=uniqid(); + \OC_User::setUserId($user); + \OC\Files\Filesystem::init($user, '/'.$user.'/files'); + } + + \OC\Files\Filesystem::mount('OC\Files\Storage\Temporary', array(), '/'); + + return $user; + } +} \ No newline at end of file -- GitLab From a98391b976ba7dd544af6a0d16b324efb2fc7a3c Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 26 Jun 2013 10:57:37 +0200 Subject: [PATCH 069/415] some minor improvements to preview lib --- lib/preview.php | 7 ++++++- 1 file changed, 6 insertions(+), 1 deletion(-) diff --git a/lib/preview.php b/lib/preview.php index 3564fe3df44..87e2e78d1d8 100755 --- a/lib/preview.php +++ b/lib/preview.php @@ -323,7 +323,7 @@ class Preview { }else{ $mimetype = $this->fileview->getMimeType($file); - $preview; + $preview = null; foreach(self::$providers as $supportedmimetype => $provider) { if(!preg_match($supportedmimetype, $mimetype)) { @@ -350,6 +350,11 @@ class Preview { break; } + + if(is_null($preview) || $preview === false) { + $preview = new \OC_Image(); + } + $this->preview = $preview; } $this->resizeAndCrop(); -- GitLab From 9b7efef39d3f7eae45741f0adf0bc0d52945d842 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 26 Jun 2013 14:28:40 +0200 Subject: [PATCH 070/415] improve Image Provider --- lib/preview/images.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/preview/images.php b/lib/preview/images.php index e4041538e92..987aa9aef0a 100644 --- a/lib/preview/images.php +++ b/lib/preview/images.php @@ -20,7 +20,7 @@ class Image extends Provider { //check if file is encrypted if($fileinfo['encrypted'] === true) { - $image = new \OC_Image($fileview->fopen($path, 'r')); + $image = new \OC_Image(stream_get_contents($fileview->fopen($path, 'r'))); }else{ $image = new \OC_Image(); $image->loadFromFile($fileview->getLocalFile($path)); -- GitLab From 39c387eed4e5da7bddb6f7cd48a8f8b607f3b8dd Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 26 Jun 2013 18:04:18 +0200 Subject: [PATCH 071/415] implement server side use of previews --- apps/files/templates/part.list.php | 3 ++- lib/helper.php | 11 +++++++++++ lib/public/template.php | 9 +++++++++ lib/template.php | 12 ++++++++++++ 4 files changed, 34 insertions(+), 1 deletion(-) diff --git a/apps/files/templates/part.list.php b/apps/files/templates/part.list.php index 1e94275dcba..6dabd7d6970 100644 --- a/apps/files/templates/part.list.php +++ b/apps/files/templates/part.list.php @@ -1,6 +1,7 @@ style="background-image:url()" - style="background-image:url()" + style="background-image:url()" > diff --git a/lib/helper.php b/lib/helper.php index a315c640d1a..e8cc81774dd 100644 --- a/lib/helper.php +++ b/lib/helper.php @@ -223,6 +223,17 @@ class OC_Helper { } } + /** + * @brief get path to preview of file + * @param string $path path + * @return string the url + * + * Returns the path to the preview of the file. + */ + public static function previewIcon($path) { + return self::linkToRoute( 'core_ajax_preview', array('x' => 32, 'y' => 32, 'file' => $path)); + } + /** * @brief Make a human file size * @param int $bytes file size in bytes diff --git a/lib/public/template.php b/lib/public/template.php index ccf19cf052c..5f9888f9f28 100644 --- a/lib/public/template.php +++ b/lib/public/template.php @@ -54,6 +54,15 @@ function mimetype_icon( $mimetype ) { return(\mimetype_icon( $mimetype )); } +/** + * @brief make preview_icon available as a simple function + * Returns the path to the preview of the image. + * @param $path path of file + * @returns link to the preview + */ +function preview_icon( $path ) { + return(\preview_icon( $path )); +} /** * @brief make OC_Helper::humanFileSize available as a simple function diff --git a/lib/template.php b/lib/template.php index ae9ea187445..048d172f1c9 100644 --- a/lib/template.php +++ b/lib/template.php @@ -62,6 +62,18 @@ function image_path( $app, $image ) { return OC_Helper::imagePath( $app, $image ); } +/** + * @brief make preview_icon available as a simple function + * Returns the path to the preview of the image. + * @param $path path of file + * @returns link to the preview + * + * For further information have a look at OC_Helper::previewIcon + */ +function preview_icon( $path ) { + return OC_Helper::previewIcon( $path ); +} + /** * @brief make OC_Helper::mimetypeIcon available as a simple function * @param string $mimetype mimetype -- GitLab From 806f3bddecbd8182f1da90ec91e2a03a1a6e2c3b Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 26 Jun 2013 18:19:10 +0200 Subject: [PATCH 072/415] increase size of preview to size of row --- apps/files/css/files.css | 2 +- lib/helper.php | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/apps/files/css/files.css b/apps/files/css/files.css index be29186cbb7..222cc9c83ef 100644 --- a/apps/files/css/files.css +++ b/apps/files/css/files.css @@ -118,7 +118,7 @@ table td.filename a.name { } table tr[data-type="dir"] td.filename a.name span.nametext {font-weight:bold; } table td.filename input.filename { width:100%; cursor:text; } -table td.filename a, table td.login, table td.logout, table td.download, table td.upload, table td.create, table td.delete { padding:.2em .5em .5em 0; } +table td.filename a, table td.login, table td.logout, table td.download, table td.upload, table td.create, table td.delete { padding:.2em .5em .5em .3em; } table td.filename .nametext, .uploadtext, .modified { float:left; padding:.3em 0; } .modified { position: absolute; diff --git a/lib/helper.php b/lib/helper.php index e8cc81774dd..0a8962a5312 100644 --- a/lib/helper.php +++ b/lib/helper.php @@ -231,7 +231,7 @@ class OC_Helper { * Returns the path to the preview of the file. */ public static function previewIcon($path) { - return self::linkToRoute( 'core_ajax_preview', array('x' => 32, 'y' => 32, 'file' => $path)); + return self::linkToRoute( 'core_ajax_preview', array('x' => 44, 'y' => 44, 'file' => $path)); } /** -- GitLab From 57370353ad1b21156094adc3d1e735582bbd2bb0 Mon Sep 17 00:00:00 2001 From: Bart Visscher Date: Fri, 28 Jun 2013 19:22:51 +0200 Subject: [PATCH 073/415] Check if the app is enabled and the app path is found before trying to load the script file --- lib/base.php | 13 ++++++++----- 1 file changed, 8 insertions(+), 5 deletions(-) diff --git a/lib/base.php b/lib/base.php index fd4870974fe..af0a30ea173 100644 --- a/lib/base.php +++ b/lib/base.php @@ -661,12 +661,15 @@ class OC { $app = $param['app']; $file = $param['file']; $app_path = OC_App::getAppPath($app); - $file = $app_path . '/' . $file; - unset($app, $app_path); - if (file_exists($file)) { - require_once $file; - return true; + if (OC_App::isEnabled($app) && $app_path !== false) { + $file = $app_path . '/' . $file; + unset($app, $app_path); + if (file_exists($file)) { + require_once $file; + return true; + } } + header('HTTP/1.0 404 Not Found'); return false; } -- GitLab From d332b1d4a2e9382aaa8e8a11b6200efaadb18768 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Tue, 2 Jul 2013 11:13:22 +0200 Subject: [PATCH 074/415] implement preview loading after upload --- apps/files/js/filelist.js | 5 +++-- apps/files/js/files.js | 19 +++++++++++++------ 2 files changed, 16 insertions(+), 8 deletions(-) diff --git a/apps/files/js/filelist.js b/apps/files/js/filelist.js index e19a35bbc5b..11bf028d93a 100644 --- a/apps/files/js/filelist.js +++ b/apps/files/js/filelist.js @@ -172,8 +172,9 @@ var FileList={ if (id != null) { tr.attr('data-id', id); } - getMimeIcon(mime,function(path){ - tr.find('td.filename').attr('style','background-image:url('+path+')'); + var path = $('#dir').val()+'/'+name; + getPreviewIcon(path, function(previewpath){ + tr.find('td.filename').attr('style','background-image:url('+previewpath+')'); }); tr.find('td.filename').draggable(dragOptions); }, diff --git a/apps/files/js/files.js b/apps/files/js/files.js index a79d34c9b23..224167b99c1 100644 --- a/apps/files/js/files.js +++ b/apps/files/js/files.js @@ -513,8 +513,9 @@ $(document).ready(function() { var tr=$('tr').filterAttr('data-file',name); tr.attr('data-mime',result.data.mime); tr.attr('data-id', result.data.id); - getMimeIcon(result.data.mime,function(path){ - tr.find('td.filename').attr('style','background-image:url('+path+')'); + var path = $('#dir').val()+'/'+name; + getPreviewIcon(path, function(previewpath){ + tr.find('td.filename').attr('style','background-image:url('+previewpath+')'); }); } else { OC.dialogs.alert(result.data.message, t('core', 'Error')); @@ -577,8 +578,9 @@ $(document).ready(function() { var tr=$('tr').filterAttr('data-file',localName); tr.data('mime',mime).data('id',id); tr.attr('data-id', id); - getMimeIcon(mime,function(path){ - tr.find('td.filename').attr('style','background-image:url('+path+')'); + var path = $('#dir').val()+'/'+localName; + getPreviewIcon(path, function(previewpath){ + tr.find('td.filename').attr('style','background-image:url('+previewpath+')'); }); }); eventSource.listen('error',function(error){ @@ -769,8 +771,9 @@ var createDragShadow = function(event){ if (elem.type === 'dir') { newtr.find('td.filename').attr('style','background-image:url('+OC.imagePath('core', 'filetypes/folder.png')+')'); } else { - getMimeIcon(elem.mime,function(path){ - newtr.find('td.filename').attr('style','background-image:url('+path+')'); + var path = $('#dir').val()+'/'+elem.name; + getPreviewIcon(path, function(previewpath){ + newtr.find('td.filename').attr('style','background-image:url('+previewpath+')'); }); } }); @@ -956,6 +959,10 @@ function getMimeIcon(mime, ready){ } getMimeIcon.cache={}; +function getPreviewIcon(path, ready){ + ready(OC.Router.generate('core_ajax_preview', {file:path, x:44, y:44})); +} + function getUniqueName(name){ if($('tr').filterAttr('data-file',name).length>0){ var parts=name.split('.'); -- GitLab From 6e864e6599602609b5808ae4d043b273a9fe5071 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Tue, 2 Jul 2013 16:30:58 +0200 Subject: [PATCH 075/415] fix size of icons in 'new' dropdown menu - I hope @jancborchardt knows a better solution coz this won't work in most IE versions ... --- apps/files/templates/index.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/apps/files/templates/index.php b/apps/files/templates/index.php index b576253f4f0..c4a15c5fa61 100644 --- a/apps/files/templates/index.php +++ b/apps/files/templates/index.php @@ -6,9 +6,9 @@

t('New'));?>
+ +
+ +
  • -- GitLab From dcc92445a0bc3d9d47768ac0f640780f2b09a5fd Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 7 Aug 2013 11:51:08 +0200 Subject: [PATCH 178/415] allow permissions.user to be null as suggested by @butonic --- db_structure.xml | 2 +- lib/util.php | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/db_structure.xml b/db_structure.xml index ef5de653033..4c192ba028e 100644 --- a/db_structure.xml +++ b/db_structure.xml @@ -383,7 +383,7 @@ user text - true + false 64 diff --git a/lib/util.php b/lib/util.php index b7dc2207e6c..dc13d31fd2b 100755 --- a/lib/util.php +++ b/lib/util.php @@ -78,7 +78,7 @@ class OC_Util { public static function getVersion() { // hint: We only can count up. Reset minor/patchlevel when // updating major/minor version number. - return array(5, 80, 05); + return array(5, 80, 06); } /** -- GitLab From 41ba155a143d318377302e2672726d7ea588c3c4 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 7 Aug 2013 11:57:10 +0200 Subject: [PATCH 179/415] fix js error --- apps/files_sharing/js/public.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/apps/files_sharing/js/public.js b/apps/files_sharing/js/public.js index fbbe9b7f3cb..8cac8bf1997 100644 --- a/apps/files_sharing/js/public.js +++ b/apps/files_sharing/js/public.js @@ -16,7 +16,7 @@ $(document).ready(function() { if (typeof FileActions !== 'undefined') { var mimetype = $('#mimetype').val(); // Show file preview if previewer is available, images are already handled by the template - if (mimetype.substr(0, mimetype.indexOf('/')) != 'image' && $('.publicpreview').length() !== 0) { + if (mimetype.substr(0, mimetype.indexOf('/')) != 'image' && $('.publicpreview').length === 0) { // Trigger default action if not download TODO var action = FileActions.getDefault(mimetype, 'file', OC.PERMISSION_READ); if (typeof action === 'undefined') { -- GitLab From fc332acf8a8ecff6cebd929a24e008648138a46d Mon Sep 17 00:00:00 2001 From: Robin Appelman Date: Wed, 7 Aug 2013 16:38:57 +0200 Subject: [PATCH 180/415] split of mimetype detection code from OC_Helper, adding the option for apps to register additional mimetype mappings --- lib/files/type/detection.php | 121 ++++++++++ lib/helper.php | 430 ++++++++++++++++------------------- 2 files changed, 315 insertions(+), 236 deletions(-) create mode 100644 lib/files/type/detection.php diff --git a/lib/files/type/detection.php b/lib/files/type/detection.php new file mode 100644 index 00000000000..1fe49a9bc46 --- /dev/null +++ b/lib/files/type/detection.php @@ -0,0 +1,121 @@ + + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +namespace OC\Files\Type; + +/** + * Class Detection + * + * Mimetype detection + * + * @package OC\Files\Type + */ +class Detection { + protected $mimetypes = array(); + + /** + * add an extension -> mimetype mapping + * + * @param string $extension + * @param string $mimetype + */ + public function registerType($extension, $mimetype) { + $this->mimetypes[$extension] = $mimetype; + } + + /** + * add an array of extension -> mimetype mappings + * + * @param array $types + */ + public function registerTypeArray($types) { + $this->mimetypes = array_merge($this->mimetypes, $types); + } + + /** + * detect mimetype only based on filename, content of file is not used + * + * @param string $path + * @return string + */ + public function detectPath($path) { + if (strpos($path, '.')) { + //try to guess the type by the file extension + $extension = strtolower(strrchr(basename($path), ".")); + $extension = substr($extension, 1); //remove leading . + return (isset($this->mimetypes[$extension])) ? $this->mimetypes[$extension] : 'application/octet-stream'; + } else { + return 'application/octet-stream'; + } + } + + /** + * detect mimetype based on both filename and content + * + * @param string $path + * @return string + */ + public function detect($path) { + $isWrapped = (strpos($path, '://') !== false) and (substr($path, 0, 7) == 'file://'); + + if (@is_dir($path)) { + // directories are easy + return "httpd/unix-directory"; + } + + $mimeType = $this->detectPath($path); + + if ($mimeType == 'application/octet-stream' and function_exists('finfo_open') + and function_exists('finfo_file') and $finfo = finfo_open(FILEINFO_MIME) + ) { + $info = @strtolower(finfo_file($finfo, $path)); + if ($info) { + $mimeType = substr($info, 0, strpos($info, ';')); + } + finfo_close($finfo); + } + if (!$isWrapped and $mimeType == 'application/octet-stream' && function_exists("mime_content_type")) { + // use mime magic extension if available + $mimeType = mime_content_type($path); + } + if (!$isWrapped and $mimeType == 'application/octet-stream' && \OC_Helper::canExecute("file")) { + // it looks like we have a 'file' command, + // lets see if it does have mime support + $path = escapeshellarg($path); + $fp = popen("file -b --mime-type $path 2>/dev/null", "r"); + $reply = fgets($fp); + pclose($fp); + + //trim the newline + $mimeType = trim($reply); + + } + return $mimeType; + } + + /** + * detect mimetype based on the content of a string + * + * @param string $data + * @return string + */ + public function detectString($data) { + if (function_exists('finfo_open') and function_exists('finfo_file')) { + $finfo = finfo_open(FILEINFO_MIME); + return finfo_buffer($finfo, $data); + } else { + $tmpFile = \OC_Helper::tmpFile(); + $fh = fopen($tmpFile, 'wb'); + fwrite($fh, $data, 8024); + fclose($fh); + $mime = $this->detect($tmpFile); + unset($tmpFile); + return $mime; + } + } +} diff --git a/lib/helper.php b/lib/helper.php index ca508e1d933..801f06352d0 100644 --- a/lib/helper.php +++ b/lib/helper.php @@ -25,9 +25,9 @@ * Collection of useful functions */ class OC_Helper { - private static $mimetypes=array(); - private static $tmpFiles=array(); + private static $tmpFiles = array(); private static $mimetypeIcons = array(); + private static $mimetypeDetector; /** * @brief Creates an url using a defined route @@ -39,7 +39,7 @@ class OC_Helper { * * Returns a url to the given app and file. */ - public static function linkToRoute( $route, $parameters = array() ) { + public static function linkToRoute($route, $parameters = array()) { $urlLinkTo = OC::getRouter()->generate($route, $parameters); return $urlLinkTo; } @@ -49,38 +49,35 @@ class OC_Helper { * @param string $app app * @param string $file file * @param array $args array with param=>value, will be appended to the returned url - * The value of $args will be urlencoded + * The value of $args will be urlencoded * @return string the url * * Returns a url to the given app and file. */ - public static function linkTo( $app, $file, $args = array() ) { - if( $app != '' ) { + public static function linkTo($app, $file, $args = array()) { + if ($app != '') { $app_path = OC_App::getAppPath($app); // Check if the app is in the app folder - if( $app_path && file_exists( $app_path.'/'.$file )) { - if(substr($file, -3) == 'php' || substr($file, -3) == 'css') { - $urlLinkTo = OC::$WEBROOT . '/index.php/apps/' . $app; - $urlLinkTo .= ($file!='index.php') ? '/' . $file : ''; - }else{ - $urlLinkTo = OC_App::getAppWebPath($app) . '/' . $file; + if ($app_path && file_exists($app_path . '/' . $file)) { + if (substr($file, -3) == 'php' || substr($file, -3) == 'css') { + $urlLinkTo = OC::$WEBROOT . '/index.php/apps/' . $app; + $urlLinkTo .= ($file != 'index.php') ? '/' . $file : ''; + } else { + $urlLinkTo = OC_App::getAppWebPath($app) . '/' . $file; } + } else { + $urlLinkTo = OC::$WEBROOT . '/' . $app . '/' . $file; } - else{ - $urlLinkTo = OC::$WEBROOT . '/' . $app . '/' . $file; - } - } - else{ - if( file_exists( OC::$SERVERROOT . '/core/'. $file )) { - $urlLinkTo = OC::$WEBROOT . '/core/'.$file; - } - else{ - $urlLinkTo = OC::$WEBROOT . '/'.$file; + } else { + if (file_exists(OC::$SERVERROOT . '/core/' . $file)) { + $urlLinkTo = OC::$WEBROOT . '/core/' . $file; + } else { + $urlLinkTo = OC::$WEBROOT . '/' . $file; } } if ($args && $query = http_build_query($args, '', '&')) { - $urlLinkTo .= '?'.$query; + $urlLinkTo .= '?' . $query; } return $urlLinkTo; @@ -91,13 +88,13 @@ class OC_Helper { * @param string $app app * @param string $file file * @param array $args array with param=>value, will be appended to the returned url - * The value of $args will be urlencoded + * The value of $args will be urlencoded * @return string the url * * Returns a absolute url to the given app and file. */ - public static function linkToAbsolute( $app, $file, $args = array() ) { - $urlLinkTo = self::linkTo( $app, $file, $args ); + public static function linkToAbsolute($app, $file, $args = array()) { + $urlLinkTo = self::linkTo($app, $file, $args); return self::makeURLAbsolute($urlLinkTo); } @@ -108,9 +105,8 @@ class OC_Helper { * * Returns a absolute url to the given app and file. */ - public static function makeURLAbsolute( $url ) - { - return OC_Request::serverProtocol(). '://' . OC_Request::serverHost() . $url; + public static function makeURLAbsolute($url) { + return OC_Request::serverProtocol() . '://' . OC_Request::serverHost() . $url; } /** @@ -120,8 +116,8 @@ class OC_Helper { * * Returns a url to the given service. */ - public static function linkToRemoteBase( $service ) { - return self::linkTo( '', 'remote.php') . '/' . $service; + public static function linkToRemoteBase($service) { + return self::linkTo('', 'remote.php') . '/' . $service; } /** @@ -132,9 +128,9 @@ class OC_Helper { * * Returns a absolute url to the given service. */ - public static function linkToRemote( $service, $add_slash = true ) { + public static function linkToRemote($service, $add_slash = true) { return self::makeURLAbsolute(self::linkToRemoteBase($service)) - . (($add_slash && $service[strlen($service)-1]!='/')?'/':''); + . (($add_slash && $service[strlen($service) - 1] != '/') ? '/' : ''); } /** @@ -146,8 +142,8 @@ class OC_Helper { * Returns a absolute url to the given service. */ public static function linkToPublic($service, $add_slash = false) { - return self::linkToAbsolute( '', 'public.php') . '?service=' . $service - . (($add_slash && $service[strlen($service)-1]!='/')?'/':''); + return self::linkToAbsolute('', 'public.php') . '?service=' . $service + . (($add_slash && $service[strlen($service) - 1] != '/') ? '/' : ''); } /** @@ -158,25 +154,25 @@ class OC_Helper { * * Returns the path to the image. */ - public static function imagePath( $app, $image ) { + public static function imagePath($app, $image) { // Read the selected theme from the config file $theme = OC_Util::getTheme(); // Check if the app is in the app folder - if( file_exists( OC::$SERVERROOT."/themes/$theme/apps/$app/img/$image" )) { - return OC::$WEBROOT."/themes/$theme/apps/$app/img/$image"; - }elseif( file_exists(OC_App::getAppPath($app)."/img/$image" )) { - return OC_App::getAppWebPath($app)."/img/$image"; - }elseif( !empty( $app ) and file_exists( OC::$SERVERROOT."/themes/$theme/$app/img/$image" )) { - return OC::$WEBROOT."/themes/$theme/$app/img/$image"; - }elseif( !empty( $app ) and file_exists( OC::$SERVERROOT."/$app/img/$image" )) { - return OC::$WEBROOT."/$app/img/$image"; - }elseif( file_exists( OC::$SERVERROOT."/themes/$theme/core/img/$image" )) { - return OC::$WEBROOT."/themes/$theme/core/img/$image"; - }elseif( file_exists( OC::$SERVERROOT."/core/img/$image" )) { - return OC::$WEBROOT."/core/img/$image"; - }else{ - throw new RuntimeException('image not found: image:'.$image.' webroot:'.OC::$WEBROOT.' serverroot:'.OC::$SERVERROOT); + if (file_exists(OC::$SERVERROOT . "/themes/$theme/apps/$app/img/$image")) { + return OC::$WEBROOT . "/themes/$theme/apps/$app/img/$image"; + } elseif (file_exists(OC_App::getAppPath($app) . "/img/$image")) { + return OC_App::getAppWebPath($app) . "/img/$image"; + } elseif (!empty($app) and file_exists(OC::$SERVERROOT . "/themes/$theme/$app/img/$image")) { + return OC::$WEBROOT . "/themes/$theme/$app/img/$image"; + } elseif (!empty($app) and file_exists(OC::$SERVERROOT . "/$app/img/$image")) { + return OC::$WEBROOT . "/$app/img/$image"; + } elseif (file_exists(OC::$SERVERROOT . "/themes/$theme/core/img/$image")) { + return OC::$WEBROOT . "/themes/$theme/core/img/$image"; + } elseif (file_exists(OC::$SERVERROOT . "/core/img/$image")) { + return OC::$WEBROOT . "/core/img/$image"; + } else { + throw new RuntimeException('image not found: image:' . $image . ' webroot:' . OC::$WEBROOT . ' serverroot:' . OC::$SERVERROOT); } } @@ -197,28 +193,28 @@ class OC_Helper { } // Replace slash and backslash with a minus $icon = str_replace('/', '-', $mimetype); - $icon = str_replace( '\\', '-', $icon); + $icon = str_replace('\\', '-', $icon); // Is it a dir? if ($mimetype === 'dir') { - self::$mimetypeIcons[$mimetype] = OC::$WEBROOT.'/core/img/filetypes/folder.png'; - return OC::$WEBROOT.'/core/img/filetypes/folder.png'; + self::$mimetypeIcons[$mimetype] = OC::$WEBROOT . '/core/img/filetypes/folder.png'; + return OC::$WEBROOT . '/core/img/filetypes/folder.png'; } // Icon exists? - if (file_exists(OC::$SERVERROOT.'/core/img/filetypes/'.$icon.'.png')) { - self::$mimetypeIcons[$mimetype] = OC::$WEBROOT.'/core/img/filetypes/'.$icon.'.png'; - return OC::$WEBROOT.'/core/img/filetypes/'.$icon.'.png'; + if (file_exists(OC::$SERVERROOT . '/core/img/filetypes/' . $icon . '.png')) { + self::$mimetypeIcons[$mimetype] = OC::$WEBROOT . '/core/img/filetypes/' . $icon . '.png'; + return OC::$WEBROOT . '/core/img/filetypes/' . $icon . '.png'; } // Try only the first part of the filetype $mimePart = substr($icon, 0, strpos($icon, '-')); - if (file_exists(OC::$SERVERROOT.'/core/img/filetypes/'.$mimePart.'.png')) { - self::$mimetypeIcons[$mimetype] = OC::$WEBROOT.'/core/img/filetypes/'.$mimePart.'.png'; - return OC::$WEBROOT.'/core/img/filetypes/'.$mimePart.'.png'; + if (file_exists(OC::$SERVERROOT . '/core/img/filetypes/' . $mimePart . '.png')) { + self::$mimetypeIcons[$mimetype] = OC::$WEBROOT . '/core/img/filetypes/' . $mimePart . '.png'; + return OC::$WEBROOT . '/core/img/filetypes/' . $mimePart . '.png'; } else { - self::$mimetypeIcons[$mimetype] = OC::$WEBROOT.'/core/img/filetypes/file.png'; - return OC::$WEBROOT.'/core/img/filetypes/file.png'; + self::$mimetypeIcons[$mimetype] = OC::$WEBROOT . '/core/img/filetypes/file.png'; + return OC::$WEBROOT . '/core/img/filetypes/file.png'; } } @@ -229,25 +225,25 @@ class OC_Helper { * * Makes 2048 to 2 kB. */ - public static function humanFileSize( $bytes ) { - if( $bytes < 0 ) { + public static function humanFileSize($bytes) { + if ($bytes < 0) { $l = OC_L10N::get('lib'); return $l->t("couldn't be determined"); } - if( $bytes < 1024 ) { + if ($bytes < 1024) { return "$bytes B"; } - $bytes = round( $bytes / 1024, 1 ); - if( $bytes < 1024 ) { + $bytes = round($bytes / 1024, 1); + if ($bytes < 1024) { return "$bytes kB"; } - $bytes = round( $bytes / 1024, 1 ); - if( $bytes < 1024 ) { + $bytes = round($bytes / 1024, 1); + if ($bytes < 1024) { return "$bytes MB"; } // Wow, heavy duty for owncloud - $bytes = round( $bytes / 1024, 1 ); + $bytes = round($bytes / 1024, 1); return "$bytes GB"; } @@ -260,21 +256,21 @@ class OC_Helper { * * Inspired by: http://www.php.net/manual/en/function.filesize.php#92418 */ - public static function computerFileSize( $str ) { - $str=strtolower($str); + public static function computerFileSize($str) { + $str = strtolower($str); $bytes_array = array( 'b' => 1, 'k' => 1024, 'kb' => 1024, 'mb' => 1024 * 1024, - 'm' => 1024 * 1024, + 'm' => 1024 * 1024, 'gb' => 1024 * 1024 * 1024, - 'g' => 1024 * 1024 * 1024, + 'g' => 1024 * 1024 * 1024, 'tb' => 1024 * 1024 * 1024 * 1024, - 't' => 1024 * 1024 * 1024 * 1024, + 't' => 1024 * 1024 * 1024 * 1024, 'pb' => 1024 * 1024 * 1024 * 1024 * 1024, - 'p' => 1024 * 1024 * 1024 * 1024 * 1024, + 'p' => 1024 * 1024 * 1024 * 1024 * 1024, ); $bytes = floatval($str); @@ -299,18 +295,17 @@ class OC_Helper { return chmod($path, $filemode); $dh = opendir($path); while (($file = readdir($dh)) !== false) { - if($file != '.' && $file != '..') { - $fullpath = $path.'/'.$file; - if(is_link($fullpath)) + if ($file != '.' && $file != '..') { + $fullpath = $path . '/' . $file; + if (is_link($fullpath)) return false; - elseif(!is_dir($fullpath) && !@chmod($fullpath, $filemode)) - return false; - elseif(!self::chmodr($fullpath, $filemode)) + elseif (!is_dir($fullpath) && !@chmod($fullpath, $filemode)) + return false; elseif (!self::chmodr($fullpath, $filemode)) return false; } } closedir($dh); - if(@chmod($path, $filemode)) + if (@chmod($path, $filemode)) return true; else return false; @@ -323,8 +318,8 @@ class OC_Helper { * */ static function copyr($src, $dest) { - if(is_dir($src)) { - if(!is_dir($dest)) { + if (is_dir($src)) { + if (!is_dir($dest)) { mkdir($dest); } $files = scandir($src); @@ -333,7 +328,7 @@ class OC_Helper { self::copyr("$src/$file", "$dest/$file"); } } - }elseif(file_exists($src) && !\OC\Files\Filesystem::isFileBlacklisted($src)) { + } elseif (file_exists($src) && !\OC\Files\Filesystem::isFileBlacklisted($src)) { copy($src, $dest); } } @@ -344,105 +339,61 @@ class OC_Helper { * @return bool */ static function rmdirr($dir) { - if(is_dir($dir)) { - $files=scandir($dir); - foreach($files as $file) { + if (is_dir($dir)) { + $files = scandir($dir); + foreach ($files as $file) { if ($file != "." && $file != "..") { self::rmdirr("$dir/$file"); } } rmdir($dir); - }elseif(file_exists($dir)) { + } elseif (file_exists($dir)) { unlink($dir); } - if(file_exists($dir)) { + if (file_exists($dir)) { return false; - }else{ + } else { return true; } } + static public function getMimetypeDetector() { + if (!self::$mimetypeDetector) { + self::$mimetypeDetector = new \OC\Files\Type\Detection(); + self::$mimetypeDetector->registerTypeArray(include 'mimetypes.list.php'); + } + return self::$mimetypeDetector; + } + /** * Try to guess the mimetype based on filename * * @param string $path * @return string */ - static public function getFileNameMimeType($path){ - if(strpos($path, '.')) { - //try to guess the type by the file extension - if(!self::$mimetypes || self::$mimetypes != include 'mimetypes.list.php') { - self::$mimetypes=include 'mimetypes.list.php'; - } - $extension=strtolower(strrchr(basename($path), ".")); - $extension=substr($extension, 1);//remove leading . - return (isset(self::$mimetypes[$extension]))?self::$mimetypes[$extension]:'application/octet-stream'; - }else{ - return 'application/octet-stream'; - } + static public function getFileNameMimeType($path) { + return self::getMimetypeDetector()->detectPath($path); } /** * get the mimetype form a local file + * * @param string $path * @return string * does NOT work for ownClouds filesystem, use OC_FileSystem::getMimeType instead */ static function getMimeType($path) { - $isWrapped=(strpos($path, '://')!==false) and (substr($path, 0, 7)=='file://'); - - if (@is_dir($path)) { - // directories are easy - return "httpd/unix-directory"; - } - - $mimeType = self::getFileNameMimeType($path); - - if($mimeType=='application/octet-stream' and function_exists('finfo_open') - and function_exists('finfo_file') and $finfo=finfo_open(FILEINFO_MIME)) { - $info = @strtolower(finfo_file($finfo, $path)); - if($info) { - $mimeType=substr($info, 0, strpos($info, ';')); - } - finfo_close($finfo); - } - if (!$isWrapped and $mimeType=='application/octet-stream' && function_exists("mime_content_type")) { - // use mime magic extension if available - $mimeType = mime_content_type($path); - } - if (!$isWrapped and $mimeType=='application/octet-stream' && OC_Helper::canExecute("file")) { - // it looks like we have a 'file' command, - // lets see if it does have mime support - $path=escapeshellarg($path); - $fp = popen("file -b --mime-type $path 2>/dev/null", "r"); - $reply = fgets($fp); - pclose($fp); - - //trim the newline - $mimeType = trim($reply); - - } - return $mimeType; + return self::getMimetypeDetector()->detect($path); } /** * get the mimetype form a data string + * * @param string $data * @return string */ static function getStringMimeType($data) { - if(function_exists('finfo_open') and function_exists('finfo_file')) { - $finfo=finfo_open(FILEINFO_MIME); - return finfo_buffer($finfo, $data); - }else{ - $tmpFile=OC_Helper::tmpFile(); - $fh=fopen($tmpFile, 'wb'); - fwrite($fh, $data, 8024); - fclose($fh); - $mime=self::getMimeType($tmpFile); - unset($tmpFile); - return $mime; - } + return self::getMimetypeDetector()->detectString($data); } /** @@ -454,9 +405,9 @@ class OC_Helper { */ //FIXME: should also check for value validation (i.e. the email is an email). - public static function init_var($s, $d="") { + public static function init_var($s, $d = "") { $r = $d; - if(isset($_REQUEST[$s]) && !empty($_REQUEST[$s])) { + if (isset($_REQUEST[$s]) && !empty($_REQUEST[$s])) { $r = OC_Util::sanitizeHTML($_REQUEST[$s]); } @@ -466,12 +417,13 @@ class OC_Helper { /** * returns "checked"-attribute if request contains selected radio element * OR if radio element is the default one -- maybe? + * * @param string $s Name of radio-button element name * @param string $v Value of current radio-button element * @param string $d Value of default radio-button element */ public static function init_radio($s, $v, $d) { - if((isset($_REQUEST[$s]) && $_REQUEST[$s]==$v) || (!isset($_REQUEST[$s]) && $v == $d)) + if ((isset($_REQUEST[$s]) && $_REQUEST[$s] == $v) || (!isset($_REQUEST[$s]) && $v == $d)) print "checked=\"checked\" "; } @@ -503,17 +455,17 @@ class OC_Helper { $dirs = explode(PATH_SEPARATOR, $path); // WARNING : We have to check if open_basedir is enabled : $obd = ini_get('open_basedir'); - if($obd != "none") { + if ($obd != "none") { $obd_values = explode(PATH_SEPARATOR, $obd); - if(count($obd_values) > 0 and $obd_values[0]) { + if (count($obd_values) > 0 and $obd_values[0]) { // open_basedir is in effect ! // We need to check if the program is in one of these dirs : $dirs = $obd_values; } } - foreach($dirs as $dir) { - foreach($exts as $ext) { - if($check_fn("$dir/$name".$ext)) + foreach ($dirs as $dir) { + foreach ($exts as $ext) { + if ($check_fn("$dir/$name" . $ext)) return true; } } @@ -522,18 +474,19 @@ class OC_Helper { /** * copy the contents of one stream to another + * * @param resource $source * @param resource $target * @return int the number of bytes copied */ public static function streamCopy($source, $target) { - if(!$source or !$target) { + if (!$source or !$target) { return false; } $result = true; $count = 0; - while(!feof($source)) { - if ( ( $c = fwrite($target, fread($source, 8192)) ) === false) { + while (!feof($source)) { + if (($c = fwrite($target, fread($source, 8192))) === false) { $result = false; } else { $count += $c; @@ -544,37 +497,39 @@ class OC_Helper { /** * create a temporary file with an unique filename + * * @param string $postfix * @return string * * temporary files are automatically cleaned up after the script is finished */ - public static function tmpFile($postfix='') { - $file=get_temp_dir().'/'.md5(time().rand()).$postfix; - $fh=fopen($file, 'w'); + public static function tmpFile($postfix = '') { + $file = get_temp_dir() . '/' . md5(time() . rand()) . $postfix; + $fh = fopen($file, 'w'); fclose($fh); - self::$tmpFiles[]=$file; + self::$tmpFiles[] = $file; return $file; } /** * move a file to oc-noclean temp dir + * * @param string $filename * @return mixed * */ - public static function moveToNoClean($filename='') { + public static function moveToNoClean($filename = '') { if ($filename == '') { return false; } - $tmpDirNoClean=get_temp_dir().'/oc-noclean/'; + $tmpDirNoClean = get_temp_dir() . '/oc-noclean/'; if (!file_exists($tmpDirNoClean) || !is_dir($tmpDirNoClean)) { if (file_exists($tmpDirNoClean)) { unlink($tmpDirNoClean); } mkdir($tmpDirNoClean); } - $newname=$tmpDirNoClean.basename($filename); + $newname = $tmpDirNoClean . basename($filename); if (rename($filename, $newname)) { return $newname; } else { @@ -584,34 +539,35 @@ class OC_Helper { /** * create a temporary folder with an unique filename + * * @return string * * temporary files are automatically cleaned up after the script is finished */ public static function tmpFolder() { - $path=get_temp_dir().'/'.md5(time().rand()); + $path = get_temp_dir() . '/' . md5(time() . rand()); mkdir($path); - self::$tmpFiles[]=$path; - return $path.'/'; + self::$tmpFiles[] = $path; + return $path . '/'; } /** * remove all files created by self::tmpFile */ public static function cleanTmp() { - $leftoversFile=get_temp_dir().'/oc-not-deleted'; - if(file_exists($leftoversFile)) { - $leftovers=file($leftoversFile); - foreach($leftovers as $file) { + $leftoversFile = get_temp_dir() . '/oc-not-deleted'; + if (file_exists($leftoversFile)) { + $leftovers = file($leftoversFile); + foreach ($leftovers as $file) { self::rmdirr($file); } unlink($leftoversFile); } - foreach(self::$tmpFiles as $file) { - if(file_exists($file)) { - if(!self::rmdirr($file)) { - file_put_contents($leftoversFile, $file."\n", FILE_APPEND); + foreach (self::$tmpFiles as $file) { + if (file_exists($file)) { + if (!self::rmdirr($file)) { + file_put_contents($leftoversFile, $file . "\n", FILE_APPEND); } } } @@ -621,34 +577,34 @@ class OC_Helper { * remove all files in PHP /oc-noclean temp dir */ public static function cleanTmpNoClean() { - $tmpDirNoCleanFile=get_temp_dir().'/oc-noclean/'; - if(file_exists($tmpDirNoCleanFile)) { + $tmpDirNoCleanFile = get_temp_dir() . '/oc-noclean/'; + if (file_exists($tmpDirNoCleanFile)) { self::rmdirr($tmpDirNoCleanFile); } } /** - * Adds a suffix to the name in case the file exists - * - * @param $path - * @param $filename - * @return string - */ + * Adds a suffix to the name in case the file exists + * + * @param $path + * @param $filename + * @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 - */ + * 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=''; + if ($path === '/') { + $path = ''; } if ($pos = strrpos($filename, '.')) { $name = substr($filename, 0, $pos); @@ -660,10 +616,10 @@ class OC_Helper { $newpath = $path . '/' . $filename; if ($view->file_exists($newpath)) { - if(preg_match_all('/\((\d+)\)/', $name, $matches, PREG_OFFSET_CAPTURE)) { + 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; + $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 { @@ -671,9 +627,9 @@ class OC_Helper { $offset = false; } do { - if($offset) { + if ($offset) { //Replace the last "(number)" with "(number+1)" - $newname = substr_replace($name, '('.$counter.')', $offset, $match_length); + $newname = substr_replace($name, '(' . $counter . ')', $offset, $match_length); } else { $newname = $name . ' (' . $counter . ')'; } @@ -700,17 +656,17 @@ class OC_Helper { } /** - * @brief Returns an array with all keys from input lowercased or uppercased. Numbered indices are left as is. - * - * @param array $input The array to work on - * @param int $case Either MB_CASE_UPPER or MB_CASE_LOWER (default) - * @param string $encoding The encoding parameter is the character encoding. Defaults to UTF-8 - * @return array - * - * Returns an array with all keys from input lowercased or uppercased. Numbered indices are left as is. - * based on http://www.php.net/manual/en/function.array-change-key-case.php#107715 - * - */ + * @brief Returns an array with all keys from input lowercased or uppercased. Numbered indices are left as is. + * + * @param array $input The array to work on + * @param int $case Either MB_CASE_UPPER or MB_CASE_LOWER (default) + * @param string $encoding The encoding parameter is the character encoding. Defaults to UTF-8 + * @return array + * + * Returns an array with all keys from input lowercased or uppercased. Numbered indices are left as is. + * based on http://www.php.net/manual/en/function.array-change-key-case.php#107715 + * + */ public static function mb_array_change_key_case($input, $case = MB_CASE_LOWER, $encoding = 'UTF-8') { $case = ($case != MB_CASE_UPPER) ? MB_CASE_LOWER : MB_CASE_UPPER; $ret = array(); @@ -736,26 +692,26 @@ class OC_Helper { $length = intval($length); $string = mb_substr($string, 0, $start, $encoding) . $replacement . - mb_substr($string, $start+$length, mb_strlen($string, 'UTF-8')-$start, $encoding); + mb_substr($string, $start + $length, mb_strlen($string, 'UTF-8') - $start, $encoding); return $string; } /** - * @brief Replace all occurrences of the search string with the replacement string - * - * @param string $search The value being searched for, otherwise known as the needle. - * @param string $replace The replacement - * @param string $subject The string or array being searched and replaced on, otherwise known as the haystack. - * @param string $encoding The encoding parameter is the character encoding. Defaults to UTF-8 - * @param int $count If passed, this will be set to the number of replacements performed. - * @return string - * - */ + * @brief Replace all occurrences of the search string with the replacement string + * + * @param string $search The value being searched for, otherwise known as the needle. + * @param string $replace The replacement + * @param string $subject The string or array being searched and replaced on, otherwise known as the haystack. + * @param string $encoding The encoding parameter is the character encoding. Defaults to UTF-8 + * @param int $count If passed, this will be set to the number of replacements performed. + * @return string + * + */ public static function mb_str_replace($search, $replace, $subject, $encoding = 'UTF-8', &$count = null) { $offset = -1; $length = mb_strlen($search, $encoding); - while(($i = mb_strrpos($subject, $search, $offset, $encoding)) !== false ) { + while (($i = mb_strrpos($subject, $search, $offset, $encoding)) !== false) { $subject = OC_Helper::mb_substr_replace($subject, $replace, $i, $length); $offset = $i - mb_strlen($subject, $encoding); $count++; @@ -764,21 +720,21 @@ class OC_Helper { } /** - * @brief performs a search in a nested array - * @param array $haystack the array to be searched - * @param string $needle the search string - * @param string $index optional, only search this key name - * @return mixed the key of the matching field, otherwise false - * - * performs a search in a nested array - * - * taken from http://www.php.net/manual/en/function.array-search.php#97645 - */ + * @brief performs a search in a nested array + * @param array $haystack the array to be searched + * @param string $needle the search string + * @param string $index optional, only search this key name + * @return mixed the key of the matching field, otherwise false + * + * performs a search in a nested array + * + * taken from http://www.php.net/manual/en/function.array-search.php#97645 + */ public static function recursiveArraySearch($haystack, $needle, $index = null) { $aIt = new RecursiveArrayIterator($haystack); $it = new RecursiveIteratorIterator($aIt); - while($it->valid()) { + while ($it->valid()) { if (((isset($index) AND ($it->key() == $index)) OR (!isset($index))) AND ($it->current() == $needle)) { return $aIt->key(); } @@ -792,6 +748,7 @@ class OC_Helper { /** * Shortens str to maxlen by replacing characters in the middle with '...', eg. * ellipsis('a very long string with lots of useless info to make a better example', 14) becomes 'a very ...example' + * * @param string $str the string * @param string $maxlen the maximum length of the result * @return string with at most maxlen characters @@ -822,7 +779,7 @@ class OC_Helper { $maxUploadFilesize = min($upload_max_filesize, $post_max_size); } - if($freeSpace !== \OC\Files\FREE_SPACE_UNKNOWN){ + if ($freeSpace !== \OC\Files\FREE_SPACE_UNKNOWN) { $freeSpace = max($freeSpace, 0); return min($maxUploadFilesize, $freeSpace); @@ -833,6 +790,7 @@ class OC_Helper { /** * Checks if a function is available + * * @param string $function_name * @return bool */ @@ -861,7 +819,7 @@ class OC_Helper { $used = 0; } $free = \OC\Files\Filesystem::free_space(); - if ($free >= 0){ + if ($free >= 0) { $total = $free + $used; } else { $total = $free; //either unknown or unlimited @@ -869,7 +827,7 @@ class OC_Helper { if ($total == 0) { $total = 1; // prevent division by zero } - if ($total >= 0){ + if ($total >= 0) { $relative = round(($used / $total) * 10000) / 100; } else { $relative = 0; -- GitLab From 9321eceed6a94f74ccdb908c05e97dfb1585d211 Mon Sep 17 00:00:00 2001 From: Robin Appelman Date: Wed, 7 Aug 2013 16:53:09 +0200 Subject: [PATCH 181/415] add the option to have templates for newly created files --- apps/files/ajax/newfile.php | 72 ++++++++++++++++-------------- lib/files/type/templatemanager.php | 46 +++++++++++++++++++ lib/helper.php | 14 ++++++ 3 files changed, 98 insertions(+), 34 deletions(-) create mode 100644 lib/files/type/templatemanager.php diff --git a/apps/files/ajax/newfile.php b/apps/files/ajax/newfile.php index 8548fc95ddf..21db0a7834b 100644 --- a/apps/files/ajax/newfile.php +++ b/apps/files/ajax/newfile.php @@ -3,29 +3,29 @@ // Init owncloud global $eventSource; -if(!OC_User::isLoggedIn()) { +if (!OC_User::isLoggedIn()) { exit; } session_write_close(); // Get the params -$dir = isset( $_REQUEST['dir'] ) ? '/'.trim($_REQUEST['dir'], '/\\') : ''; -$filename = isset( $_REQUEST['filename'] ) ? trim($_REQUEST['filename'], '/\\') : ''; -$content = isset( $_REQUEST['content'] ) ? $_REQUEST['content'] : ''; -$source = isset( $_REQUEST['source'] ) ? trim($_REQUEST['source'], '/\\') : ''; +$dir = isset($_REQUEST['dir']) ? '/' . trim($_REQUEST['dir'], '/\\') : ''; +$filename = isset($_REQUEST['filename']) ? trim($_REQUEST['filename'], '/\\') : ''; +$content = isset($_REQUEST['content']) ? $_REQUEST['content'] : ''; +$source = isset($_REQUEST['source']) ? trim($_REQUEST['source'], '/\\') : ''; -if($source) { - $eventSource=new OC_EventSource(); +if ($source) { + $eventSource = new OC_EventSource(); } else { OC_JSON::callCheck(); } -if($filename == '') { - OCP\JSON::error(array("data" => array( "message" => "Empty Filename" ))); +if ($filename == '') { + OCP\JSON::error(array("data" => array("message" => "Empty Filename"))); exit(); } -if(strpos($filename, '/')!==false) { - OCP\JSON::error(array("data" => array( "message" => "Invalid Filename" ))); +if (strpos($filename, '/') !== false) { + OCP\JSON::error(array("data" => array("message" => "Invalid Filename"))); exit(); } @@ -34,7 +34,7 @@ function progress($notification_code, $severity, $message, $message_code, $bytes static $lastsize = 0; global $eventSource; - switch($notification_code) { + switch ($notification_code) { case STREAM_NOTIFY_FILE_SIZE_IS: $filesize = $bytes_max; break; @@ -43,52 +43,56 @@ function progress($notification_code, $severity, $message, $message_code, $bytes if ($bytes_transferred > 0) { if (!isset($filesize)) { } else { - $progress = (int)(($bytes_transferred/$filesize)*100); - if($progress>$lastsize) {//limit the number or messages send + $progress = (int)(($bytes_transferred / $filesize) * 100); + if ($progress > $lastsize) { //limit the number or messages send $eventSource->send('progress', $progress); } - $lastsize=$progress; + $lastsize = $progress; } } break; } } -if($source) { - if(substr($source, 0, 8)!='https://' and substr($source, 0, 7)!='http://') { - OCP\JSON::error(array("data" => array( "message" => "Not a valid source" ))); +if ($source) { + if (substr($source, 0, 8) != 'https://' and substr($source, 0, 7) != 'http://') { + OCP\JSON::error(array("data" => array("message" => "Not a valid source"))); exit(); } - $ctx = stream_context_create(null, array('notification' =>'progress')); - $sourceStream=fopen($source, 'rb', false, $ctx); - $target=$dir.'/'.$filename; - $result=\OC\Files\Filesystem::file_put_contents($target, $sourceStream); - if($result) { + $ctx = stream_context_create(null, array('notification' => 'progress')); + $sourceStream = fopen($source, 'rb', false, $ctx); + $target = $dir . '/' . $filename; + $result = \OC\Files\Filesystem::file_put_contents($target, $sourceStream); + if ($result) { $meta = \OC\Files\Filesystem::getFileInfo($target); - $mime=$meta['mimetype']; + $mime = $meta['mimetype']; $id = $meta['fileid']; - $eventSource->send('success', array('mime'=>$mime, 'size'=>\OC\Files\Filesystem::filesize($target), 'id' => $id)); + $eventSource->send('success', array('mime' => $mime, 'size' => \OC\Files\Filesystem::filesize($target), 'id' => $id)); } else { - $eventSource->send('error', "Error while downloading ".$source. ' to '.$target); + $eventSource->send('error', "Error while downloading " . $source . ' to ' . $target); } $eventSource->close(); exit(); } else { - if($content) { - if(\OC\Files\Filesystem::file_put_contents($dir.'/'.$filename, $content)) { - $meta = \OC\Files\Filesystem::getFileInfo($dir.'/'.$filename); + if ($content) { + if (\OC\Files\Filesystem::file_put_contents($dir . '/' . $filename, $content)) { + $meta = \OC\Files\Filesystem::getFileInfo($dir . '/' . $filename); $id = $meta['fileid']; - OCP\JSON::success(array("data" => array('content'=>$content, 'id' => $id))); + OCP\JSON::success(array("data" => array('content' => $content, 'id' => $id))); exit(); } - }elseif(\OC\Files\Filesystem::touch($dir . '/' . $filename)) { - $meta = \OC\Files\Filesystem::getFileInfo($dir.'/'.$filename); + } elseif (\OC\Files\Filesystem::touch($dir . '/' . $filename)) { + $meta = \OC\Files\Filesystem::getFileInfo($dir . '/' . $filename); + $templateManager = OC_Helper::getFileTemplateManager(); + if ($content = $templateManager->getTemplate($meta['mimetype'])) { + \OC\Files\Filesystem::file_put_contents($dir . '/' . $filename, $content); + } $id = $meta['fileid']; - OCP\JSON::success(array("data" => array('content'=>$content, 'id' => $id, 'mime' => $meta['mimetype']))); + OCP\JSON::success(array("data" => array('content' => $content, 'id' => $id, 'mime' => $meta['mimetype']))); exit(); } } -OCP\JSON::error(array("data" => array( "message" => "Error when creating the file" ))); +OCP\JSON::error(array("data" => array("message" => "Error when creating the file"))); diff --git a/lib/files/type/templatemanager.php b/lib/files/type/templatemanager.php new file mode 100644 index 00000000000..cd1536d2732 --- /dev/null +++ b/lib/files/type/templatemanager.php @@ -0,0 +1,46 @@ + + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +namespace OC\Files\Type; + +class TemplateManager { + protected $templates = array(); + + public function registerTemplate($mimetype, $path) { + $this->templates[$mimetype] = $path; + } + + /** + * get the path of the template for a mimetype + * + * @param string $mimetype + * @return string | null + */ + public function getTemplatePath($mimetype) { + if (isset($this->templates[$mimetype])) { + return $this->templates[$mimetype]; + } else { + return null; + } + } + + /** + * get the template content for a mimetype + * + * @param string $mimetype + * @return string + */ + public function getTemplate($mimetype) { + $path = $this->getTemplatePath($mimetype); + if ($path) { + return file_get_contents($path); + } else { + return ''; + } + } +} diff --git a/lib/helper.php b/lib/helper.php index 801f06352d0..8b64baaea72 100644 --- a/lib/helper.php +++ b/lib/helper.php @@ -28,6 +28,7 @@ class OC_Helper { private static $tmpFiles = array(); private static $mimetypeIcons = array(); private static $mimetypeDetector; + private static $templateManager; /** * @brief Creates an url using a defined route @@ -357,6 +358,9 @@ class OC_Helper { } } + /** + * @return \OC\Files\Type\Detection + */ static public function getMimetypeDetector() { if (!self::$mimetypeDetector) { self::$mimetypeDetector = new \OC\Files\Type\Detection(); @@ -365,6 +369,16 @@ class OC_Helper { return self::$mimetypeDetector; } + /** + * @return \OC\Files\Type\TemplateManager + */ + static public function getFileTemplateManager() { + if (!self::$templateManager) { + self::$templateManager = new \OC\Files\Type\TemplateManager(); + } + return self::$templateManager; + } + /** * Try to guess the mimetype based on filename * -- GitLab From 1c1ede57034343830696667820115435db5509ba Mon Sep 17 00:00:00 2001 From: Robin Appelman Date: Wed, 7 Aug 2013 16:53:33 +0200 Subject: [PATCH 182/415] add template for html files --- core/templates/filetemplates/template.html | 9 +++++++++ 1 file changed, 9 insertions(+) create mode 100644 core/templates/filetemplates/template.html diff --git a/core/templates/filetemplates/template.html b/core/templates/filetemplates/template.html new file mode 100644 index 00000000000..f16e80cb7ef --- /dev/null +++ b/core/templates/filetemplates/template.html @@ -0,0 +1,9 @@ + + + + + + + + + -- GitLab From a0243e03effc1a1a60a80c3b95f9499bbd0b661f Mon Sep 17 00:00:00 2001 From: Robin Appelman Date: Wed, 7 Aug 2013 17:17:30 +0200 Subject: [PATCH 183/415] use === --- lib/files/type/detection.php | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/lib/files/type/detection.php b/lib/files/type/detection.php index 1fe49a9bc46..242a81cb5a4 100644 --- a/lib/files/type/detection.php +++ b/lib/files/type/detection.php @@ -61,7 +61,7 @@ class Detection { * @return string */ public function detect($path) { - $isWrapped = (strpos($path, '://') !== false) and (substr($path, 0, 7) == 'file://'); + $isWrapped = (strpos($path, '://') !== false) and (substr($path, 0, 7) === 'file://'); if (@is_dir($path)) { // directories are easy @@ -70,7 +70,7 @@ class Detection { $mimeType = $this->detectPath($path); - if ($mimeType == 'application/octet-stream' and function_exists('finfo_open') + if ($mimeType === 'application/octet-stream' and function_exists('finfo_open') and function_exists('finfo_file') and $finfo = finfo_open(FILEINFO_MIME) ) { $info = @strtolower(finfo_file($finfo, $path)); @@ -79,11 +79,11 @@ class Detection { } finfo_close($finfo); } - if (!$isWrapped and $mimeType == 'application/octet-stream' && function_exists("mime_content_type")) { + if (!$isWrapped and $mimeType === 'application/octet-stream' && function_exists("mime_content_type")) { // use mime magic extension if available $mimeType = mime_content_type($path); } - if (!$isWrapped and $mimeType == 'application/octet-stream' && \OC_Helper::canExecute("file")) { + if (!$isWrapped and $mimeType === 'application/octet-stream' && \OC_Helper::canExecute("file")) { // it looks like we have a 'file' command, // lets see if it does have mime support $path = escapeshellarg($path); -- GitLab From d91104e120d570eaf3d80c23c5caf6b597b24db7 Mon Sep 17 00:00:00 2001 From: Robin Appelman Date: Wed, 7 Aug 2013 23:48:44 +0200 Subject: [PATCH 184/415] actually register html template --- apps/files/appinfo/app.php | 14 +++++++++----- 1 file changed, 9 insertions(+), 5 deletions(-) diff --git a/apps/files/appinfo/app.php b/apps/files/appinfo/app.php index 99739cb4cee..aa839b81d18 100644 --- a/apps/files/appinfo/app.php +++ b/apps/files/appinfo/app.php @@ -5,11 +5,11 @@ $l = OC_L10N::get('files'); OCP\App::registerAdmin('files', 'admin'); -OCP\App::addNavigationEntry( array( "id" => "files_index", - "order" => 0, - "href" => OCP\Util::linkTo( "files", "index.php" ), - "icon" => OCP\Util::imagePath( "core", "places/files.svg" ), - "name" => $l->t("Files") )); +OCP\App::addNavigationEntry(array("id" => "files_index", + "order" => 0, + "href" => OCP\Util::linkTo("files", "index.php"), + "icon" => OCP\Util::imagePath("core", "places/files.svg"), + "name" => $l->t("Files"))); OC_Search::registerProvider('OC_Search_Provider_File'); @@ -21,3 +21,7 @@ OC_Search::registerProvider('OC_Search_Provider_File'); \OC_Hook::connect('OC_Filesystem', 'post_rename', '\OC\Files\Cache\Updater', 'renameHook'); \OCP\BackgroundJob::addRegularTask('\OC\Files\Cache\BackgroundWatcher', 'checkNext'); + +$templateManager = OC_Helper::getFileTemplateManager(); +$templateManager->registerTemplate('text/html', 'core/templates/filetemplates/template.html'); + -- GitLab From fb890eee674fece6194a743483ae59f4384c7eb4 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Thu, 8 Aug 2013 00:42:28 +0200 Subject: [PATCH 185/415] fixes #4343 --- lib/connector/sabre/quotaplugin.php | 18 ++++++++++++++++-- 1 file changed, 16 insertions(+), 2 deletions(-) diff --git a/lib/connector/sabre/quotaplugin.php b/lib/connector/sabre/quotaplugin.php index c80a33d04b1..0f428b75b19 100644 --- a/lib/connector/sabre/quotaplugin.php +++ b/lib/connector/sabre/quotaplugin.php @@ -43,8 +43,7 @@ class OC_Connector_Sabre_QuotaPlugin extends Sabre_DAV_ServerPlugin { * @return bool */ public function checkQuota($uri, $data = null) { - $expected = $this->server->httpRequest->getHeader('X-Expected-Entity-Length'); - $length = $expected ? $expected : $this->server->httpRequest->getHeader('Content-Length'); + $length = $this->getLength(); if ($length) { if (substr($uri, 0, 1)!=='/') { $uri='/'.$uri; @@ -57,4 +56,19 @@ class OC_Connector_Sabre_QuotaPlugin extends Sabre_DAV_ServerPlugin { } return true; } + + private function getLength() + { + $expected = $this->server->httpRequest->getHeader('X-Expected-Entity-Length'); + if ($expected) + return $expected; + + $length = $this->server->httpRequest->getHeader('Content-Length'); + $ocLength = $this->server->httpRequest->getHeader('OC-Total-Length'); + + if ($length && $ocLength) + return max($length, $ocLength); + + return $length; + } } -- GitLab From 97e910e087c58e3ca71b0b144cbf299657ab2ae7 Mon Sep 17 00:00:00 2001 From: Bjoern Schiessle Date: Thu, 8 Aug 2013 08:37:39 +0200 Subject: [PATCH 186/415] make methods private which are not used from outside --- apps/files_encryption/lib/crypt.php | 114 ++++------------------------ 1 file changed, 13 insertions(+), 101 deletions(-) diff --git a/apps/files_encryption/lib/crypt.php b/apps/files_encryption/lib/crypt.php index 6543a0de5f3..34051db6a21 100755 --- a/apps/files_encryption/lib/crypt.php +++ b/apps/files_encryption/lib/crypt.php @@ -23,6 +23,10 @@ * */ +/* + * TODO: Check if methods really need to be public + */ + namespace OCA\Encryption; //require_once '../3rdparty/Crypt_Blowfish/Blowfish.php'; @@ -84,7 +88,7 @@ class Crypt { * blocks with encryption alone, hence padding is added to achieve the * required length. */ - public static function addPadding($data) { + private static function addPadding($data) { $padded = $data . 'xx'; @@ -97,7 +101,7 @@ class Crypt { * @param string $padded padded data to remove padding from * @return string unpadded data on success, false on error */ - public static function removePadding($padded) { + private static function removePadding($padded) { if (substr($padded, -2) === 'xx') { @@ -205,7 +209,7 @@ class Crypt { * @param string $passphrase * @return string encrypted file content */ - public static function encrypt($plainContent, $iv, $passphrase = '') { + private static function encrypt($plainContent, $iv, $passphrase = '') { if ($encryptedContent = openssl_encrypt($plainContent, 'AES-128-CFB', $passphrase, false, $iv)) { return $encryptedContent; @@ -226,7 +230,7 @@ class Crypt { * @throws \Exception * @return string decrypted file content */ - public static function decrypt($encryptedContent, $iv, $passphrase) { + private static function decrypt($encryptedContent, $iv, $passphrase) { if ($plainContent = openssl_decrypt($encryptedContent, 'AES-128-CFB', $passphrase, false, $iv)) { @@ -246,7 +250,7 @@ class Crypt { * @param string $iv IV to be concatenated * @returns string concatenated content */ - public static function concatIv($content, $iv) { + private static function concatIv($content, $iv) { $combined = $content . '00iv00' . $iv; @@ -259,7 +263,7 @@ class Crypt { * @param string $catFile concatenated data to be split * @returns array keys: encrypted, iv */ - public static function splitIv($catFile) { + private static function splitIv($catFile) { // Fetch encryption metadata from end of file $meta = substr($catFile, -22); @@ -376,34 +380,6 @@ class Crypt { } - - /** - * @brief Creates symmetric keyfile content using a generated key - * @param string $plainContent content to be encrypted - * @returns array keys: key, encrypted - * @note symmetricDecryptFileContent() can be used to decrypt files created using this method - * - * This function decrypts a file - */ - public static function symmetricEncryptFileContentKeyfile($plainContent) { - - $key = self::generateKey(); - - if ($encryptedContent = self::symmetricEncryptFileContent($plainContent, $key)) { - - return array( - 'key' => $key, - 'encrypted' => $encryptedContent - ); - - } else { - - return false; - - } - - } - /** * @brief Create asymmetrically encrypted keyfile content using a generated key * @param string $plainContent content to be encrypted @@ -486,43 +462,11 @@ class Crypt { } - /** - * @brief Asymetrically encrypt a string using a public key - * @param $plainContent - * @param $publicKey - * @return string encrypted file - */ - public static function keyEncrypt($plainContent, $publicKey) { - - openssl_public_encrypt($plainContent, $encryptedContent, $publicKey); - - return $encryptedContent; - - } - - /** - * @brief Asymetrically decrypt a file using a private key - * @param $encryptedContent - * @param $privatekey - * @return string decrypted file - */ - public static function keyDecrypt($encryptedContent, $privatekey) { - - $result = @openssl_private_decrypt($encryptedContent, $plainContent, $privatekey); - - if ($result) { - return $plainContent; - } - - return $result; - - } - /** * @brief Generates a pseudo random initialisation vector * @return String $iv generated IV */ - public static function generateIv() { + private static function generateIv() { if ($random = openssl_random_pseudo_bytes(12, $strong)) { @@ -548,7 +492,7 @@ class Crypt { } /** - * @brief Generate a pseudo random 1024kb ASCII key + * @brief Generate a pseudo random 1024kb ASCII key, used as file key * @returns $key Generated key */ public static function generateKey() { @@ -580,7 +524,7 @@ class Crypt { * * if the key is left out, the default handeler will be used */ - public static function getBlowfish($key = '') { + private static function getBlowfish($key = '') { if ($key) { @@ -594,38 +538,6 @@ class Crypt { } - /** - * @param $passphrase - * @return mixed - */ - public static function legacyCreateKey($passphrase) { - - // Generate a random integer - $key = mt_rand(10000, 99999) . mt_rand(10000, 99999) . mt_rand(10000, 99999) . mt_rand(10000, 99999); - - // Encrypt the key with the passphrase - $legacyEncKey = self::legacyEncrypt($key, $passphrase); - - return $legacyEncKey; - - } - - /** - * @brief encrypts content using legacy blowfish system - * @param string $content the cleartext message you want to encrypt - * @param string $passphrase - * @returns string encrypted content - * - * This function encrypts an content - */ - public static function legacyEncrypt($content, $passphrase = '') { - - $bf = self::getBlowfish($passphrase); - - return $bf->encrypt($content); - - } - /** * @brief decrypts content using legacy blowfish system * @param string $content the cleartext message you want to decrypt -- GitLab From d3a69bf4c6baba563beceb225b9192a4e22c9c59 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Thu, 8 Aug 2013 11:04:40 +0200 Subject: [PATCH 187/415] adding unit tests to determine length --- lib/connector/sabre/quotaplugin.php | 2 +- tests/lib/connector/sabre/quotaplugin.php | 47 +++++++++++++++++++++++ 2 files changed, 48 insertions(+), 1 deletion(-) create mode 100644 tests/lib/connector/sabre/quotaplugin.php diff --git a/lib/connector/sabre/quotaplugin.php b/lib/connector/sabre/quotaplugin.php index 0f428b75b19..730a86666be 100644 --- a/lib/connector/sabre/quotaplugin.php +++ b/lib/connector/sabre/quotaplugin.php @@ -57,7 +57,7 @@ class OC_Connector_Sabre_QuotaPlugin extends Sabre_DAV_ServerPlugin { return true; } - private function getLength() + public function getLength() { $expected = $this->server->httpRequest->getHeader('X-Expected-Entity-Length'); if ($expected) diff --git a/tests/lib/connector/sabre/quotaplugin.php b/tests/lib/connector/sabre/quotaplugin.php new file mode 100644 index 00000000000..9582af6ec4e --- /dev/null +++ b/tests/lib/connector/sabre/quotaplugin.php @@ -0,0 +1,47 @@ + + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +class Test_OC_Connector_Sabre_QuotaPlugin extends PHPUnit_Framework_TestCase { + + /** + * @var Sabre_DAV_Server + */ + private $server; + + /** + * @var OC_Connector_Sabre_QuotaPlugin + */ + private $plugin; + + public function setUp() { + $this->server = new Sabre_DAV_Server(); + $this->plugin = new OC_Connector_Sabre_QuotaPlugin(); + $this->plugin->initialize($this->server); + } + + /** + * @dataProvider lengthProvider + */ + public function testLength($expected, $headers) + { + $this->server->httpRequest = new Sabre_HTTP_Request($headers); + $length = $this->plugin->getLength(); + $this->assertEquals($expected, $length); + } + + public function lengthProvider() + { + return array( + array(null, array()), + array(1024, array('HTTP_X_EXPECTED_ENTITY_LENGTH' => '1024')), + array(512, array('HTTP_CONTENT_LENGTH' => '512')), + array(2048, array('HTTP_OC_TOTAL_LENGTH' => '2048', 'HTTP_CONTENT_LENGTH' => '1024')), + ); + } + +} -- GitLab From fed1792510ff11941765783653573f45fadc4c70 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Thu, 8 Aug 2013 13:33:00 +0200 Subject: [PATCH 188/415] adding unit tests for quota checks --- lib/connector/sabre/quotaplugin.php | 75 +++++++++++++---------- tests/lib/connector/sabre/quotaplugin.php | 56 ++++++++++++++++- 2 files changed, 98 insertions(+), 33 deletions(-) diff --git a/lib/connector/sabre/quotaplugin.php b/lib/connector/sabre/quotaplugin.php index 730a86666be..eb95a839b86 100644 --- a/lib/connector/sabre/quotaplugin.php +++ b/lib/connector/sabre/quotaplugin.php @@ -3,45 +3,55 @@ /** * This plugin check user quota and deny creating files when they exceeds the quota. * - * @copyright Copyright (C) 2012 entreCables S.L. All rights reserved. * @author Sergio Cambra + * @copyright Copyright (C) 2012 entreCables S.L. All rights reserved. * @license http://code.google.com/p/sabredav/wiki/License Modified BSD License */ class OC_Connector_Sabre_QuotaPlugin extends Sabre_DAV_ServerPlugin { /** - * Reference to main server object - * - * @var Sabre_DAV_Server - */ + * Reference to main server object + * + * @var Sabre_DAV_Server + */ private $server; /** - * This initializes the plugin. - * - * This function is called by Sabre_DAV_Server, after - * addPlugin is called. - * - * This method should set up the requires event subscriptions. - * - * @param Sabre_DAV_Server $server - * @return void - */ + * is kept public to allow overwrite for unit testing + * + * @var \OC\Files\View + */ + public $fileView; + + /** + * This initializes the plugin. + * + * This function is called by Sabre_DAV_Server, after + * addPlugin is called. + * + * This method should set up the requires event subscriptions. + * + * @param Sabre_DAV_Server $server + * @return void + */ public function initialize(Sabre_DAV_Server $server) { - $this->server = $server; - $this->server->subscribeEvent('beforeWriteContent', array($this, 'checkQuota'), 10); - $this->server->subscribeEvent('beforeCreateFile', array($this, 'checkQuota'), 10); + $this->server = $server; + $server->subscribeEvent('beforeWriteContent', array($this, 'checkQuota'), 10); + $server->subscribeEvent('beforeCreateFile', array($this, 'checkQuota'), 10); + + // initialize fileView + $this->fileView = \OC\Files\Filesystem::getView(); } /** - * This method is called before any HTTP method and forces users to be authenticated - * - * @param string $method - * @throws Sabre_DAV_Exception - * @return bool - */ + * This method is called before any HTTP method and validates there is enough free space to store the file + * + * @param string $method + * @throws Sabre_DAV_Exception + * @return bool + */ public function checkQuota($uri, $data = null) { $length = $this->getLength(); if ($length) { @@ -49,7 +59,7 @@ class OC_Connector_Sabre_QuotaPlugin extends Sabre_DAV_ServerPlugin { $uri='/'.$uri; } list($parentUri, $newName) = Sabre_DAV_URLUtil::splitPath($uri); - $freeSpace = \OC\Files\Filesystem::free_space($parentUri); + $freeSpace = $this->fileView->free_space($parentUri); if ($freeSpace !== \OC\Files\FREE_SPACE_UNKNOWN && $length > $freeSpace) { throw new Sabre_DAV_Exception_InsufficientStorage(); } @@ -59,15 +69,16 @@ class OC_Connector_Sabre_QuotaPlugin extends Sabre_DAV_ServerPlugin { public function getLength() { - $expected = $this->server->httpRequest->getHeader('X-Expected-Entity-Length'); - if ($expected) - return $expected; - - $length = $this->server->httpRequest->getHeader('Content-Length'); - $ocLength = $this->server->httpRequest->getHeader('OC-Total-Length'); + $req = $this->server->httpRequest; + $length = $req->getHeader('X-Expected-Entity-Length'); + if (!$length) { + $length = $req->getHeader('Content-Length'); + } - if ($length && $ocLength) + $ocLength = $req->getHeader('OC-Total-Length'); + if ($length && $ocLength) { return max($length, $ocLength); + } return $length; } diff --git a/tests/lib/connector/sabre/quotaplugin.php b/tests/lib/connector/sabre/quotaplugin.php index 9582af6ec4e..1186de28742 100644 --- a/tests/lib/connector/sabre/quotaplugin.php +++ b/tests/lib/connector/sabre/quotaplugin.php @@ -34,14 +34,68 @@ class Test_OC_Connector_Sabre_QuotaPlugin extends PHPUnit_Framework_TestCase { $this->assertEquals($expected, $length); } - public function lengthProvider() + /** + * @dataProvider quotaOkayProvider + */ + public function testCheckQuota($quota, $headers) { + $this->plugin->fileView = $this->buildFileViewMock($quota); + + $this->server->httpRequest = new Sabre_HTTP_Request($headers); + $result = $this->plugin->checkQuota(''); + $this->assertTrue($result); + } + + /** + * @expectedException Sabre_DAV_Exception_InsufficientStorage + * @dataProvider quotaExceededProvider + */ + public function testCheckExceededQuota($quota, $headers) + { + $this->plugin->fileView = $this->buildFileViewMock($quota); + + $this->server->httpRequest = new Sabre_HTTP_Request($headers); + $this->plugin->checkQuota(''); + } + + public function quotaOkayProvider() { + return array( + array(1024, array()), + array(1024, array('HTTP_X_EXPECTED_ENTITY_LENGTH' => '1024')), + array(1024, array('HTTP_CONTENT_LENGTH' => '512')), + array(1024, array('HTTP_OC_TOTAL_LENGTH' => '1024', 'HTTP_CONTENT_LENGTH' => '512')), + // OC\Files\FREE_SPACE_UNKNOWN = -2 + array(-2, array()), + array(-2, array('HTTP_X_EXPECTED_ENTITY_LENGTH' => '1024')), + array(-2, array('HTTP_CONTENT_LENGTH' => '512')), + array(-2, array('HTTP_OC_TOTAL_LENGTH' => '1024', 'HTTP_CONTENT_LENGTH' => '512')), + ); + } + + public function quotaExceededProvider() { + return array( + array(1023, array('HTTP_X_EXPECTED_ENTITY_LENGTH' => '1024')), + array(511, array('HTTP_CONTENT_LENGTH' => '512')), + array(2047, array('HTTP_OC_TOTAL_LENGTH' => '2048', 'HTTP_CONTENT_LENGTH' => '1024')), + ); + } + + public function lengthProvider() { return array( array(null, array()), array(1024, array('HTTP_X_EXPECTED_ENTITY_LENGTH' => '1024')), array(512, array('HTTP_CONTENT_LENGTH' => '512')), array(2048, array('HTTP_OC_TOTAL_LENGTH' => '2048', 'HTTP_CONTENT_LENGTH' => '1024')), + array(4096, array('HTTP_OC_TOTAL_LENGTH' => '2048', 'HTTP_X_EXPECTED_ENTITY_LENGTH' => '4096')), ); } + private function buildFileViewMock($quota) { + // mock filesysten + $view = $this->getMock('\OC\Files\View', array('free_space'), array(), '', FALSE); + $view->expects($this->any())->method('free_space')->withAnyParameters()->will($this->returnValue($quota)); + + return $view; + } + } -- GitLab From 023121aed0dff8c81426d52efcac719c255ef549 Mon Sep 17 00:00:00 2001 From: Bjoern Schiessle Date: Thu, 8 Aug 2013 13:35:01 +0200 Subject: [PATCH 189/415] adapt tests to the changes in crypt.php --- apps/files_encryption/tests/crypt.php | 257 +++------------------ apps/files_encryption/tests/keymanager.php | 18 +- 2 files changed, 31 insertions(+), 244 deletions(-) diff --git a/apps/files_encryption/tests/crypt.php b/apps/files_encryption/tests/crypt.php index 9b97df22d16..b7b16f25dca 100755 --- a/apps/files_encryption/tests/crypt.php +++ b/apps/files_encryption/tests/crypt.php @@ -115,130 +115,6 @@ class Test_Encryption_Crypt extends \PHPUnit_Framework_TestCase { } - /** - * @large - * @return String - */ - function testGenerateIv() { - - $iv = Encryption\Crypt::generateIv(); - - $this->assertEquals(16, strlen($iv)); - - return $iv; - - } - - /** - * @large - * @depends testGenerateIv - */ - function testConcatIv($iv) { - - $catFile = Encryption\Crypt::concatIv($this->dataLong, $iv); - - // Fetch encryption metadata from end of file - $meta = substr($catFile, -22); - - $identifier = substr($meta, 0, 6); - - // Fetch IV from end of file - $foundIv = substr($meta, 6); - - $this->assertEquals('00iv00', $identifier); - - $this->assertEquals($iv, $foundIv); - - // Remove IV and IV identifier text to expose encrypted content - $data = substr($catFile, 0, -22); - - $this->assertEquals($this->dataLong, $data); - - return array( - 'iv' => $iv - , - 'catfile' => $catFile - ); - - } - - /** - * @medium - * @depends testConcatIv - */ - function testSplitIv($testConcatIv) { - - // Split catfile into components - $splitCatfile = Encryption\Crypt::splitIv($testConcatIv['catfile']); - - // Check that original IV and split IV match - $this->assertEquals($testConcatIv['iv'], $splitCatfile['iv']); - - // Check that original data and split data match - $this->assertEquals($this->dataLong, $splitCatfile['encrypted']); - - } - - /** - * @medium - * @return string padded - */ - function testAddPadding() { - - $padded = Encryption\Crypt::addPadding($this->dataLong); - - $padding = substr($padded, -2); - - $this->assertEquals('xx', $padding); - - return $padded; - - } - - /** - * @medium - * @depends testAddPadding - */ - function testRemovePadding($padded) { - - $noPadding = Encryption\Crypt::RemovePadding($padded); - - $this->assertEquals($this->dataLong, $noPadding); - - } - - /** - * @medium - */ - function testEncrypt() { - - $random = openssl_random_pseudo_bytes(13); - - $iv = substr(base64_encode($random), 0, -4); // i.e. E5IG033j+mRNKrht - - $crypted = Encryption\Crypt::encrypt($this->dataUrl, $iv, 'hat'); - - $this->assertNotEquals($this->dataUrl, $crypted); - - } - - /** - * @medium - */ - function testDecrypt() { - - $random = openssl_random_pseudo_bytes(13); - - $iv = substr(base64_encode($random), 0, -4); // i.e. E5IG033j+mRNKrht - - $crypted = Encryption\Crypt::encrypt($this->dataUrl, $iv, 'hat'); - - $decrypt = Encryption\Crypt::decrypt($crypted, $iv, 'hat'); - - $this->assertEquals($this->dataUrl, $decrypt); - - } - function testDecryptPrivateKey() { // test successful decrypt @@ -364,14 +240,12 @@ class Test_Encryption_Crypt extends \PHPUnit_Framework_TestCase { //print_r($r); // Join IVs and their respective data chunks - $e = array( - $r[0] . $r[1], - $r[2] . $r[3], - $r[4] . $r[5], - $r[6] . $r[7], - $r[8] . $r[9], - $r[10] . $r[11] - ); //.$r[11], $r[12].$r[13], $r[14] ); + $e = array(); + $i = 0; + while ($i < count($r)-1) { + $e[] = $r[$i] . $r[$i+1]; + $i = $i + 2; + } //print_r($e); @@ -466,24 +340,6 @@ class Test_Encryption_Crypt extends \PHPUnit_Framework_TestCase { $this->view->unlink($this->userId . '/files/' . $filename); } - /** - * @medium - */ - function testSymmetricEncryptFileContentKeyfile() { - - # TODO: search in keyfile for actual content as IV will ensure this test always passes - - $crypted = Encryption\Crypt::symmetricEncryptFileContentKeyfile($this->dataUrl); - - $this->assertNotEquals($this->dataUrl, $crypted['encrypted']); - - - $decrypt = Encryption\Crypt::symmetricDecryptFileContent($crypted['encrypted'], $crypted['key']); - - $this->assertEquals($this->dataUrl, $decrypt); - - } - /** * @medium */ @@ -526,49 +382,13 @@ class Test_Encryption_Crypt extends \PHPUnit_Framework_TestCase { } - /** - * @medium - */ - function testKeyEncrypt() { - - // Generate keypair - $pair1 = Encryption\Crypt::createKeypair(); - - // Encrypt data - $crypted = Encryption\Crypt::keyEncrypt($this->dataUrl, $pair1['publicKey']); - - $this->assertNotEquals($this->dataUrl, $crypted); - - // Decrypt data - $decrypt = Encryption\Crypt::keyDecrypt($crypted, $pair1['privateKey']); - - $this->assertEquals($this->dataUrl, $decrypt); - - } - - /** - * @medium - * @brief test encryption using legacy blowfish method - */ - function testLegacyEncryptShort() { - - $crypted = Encryption\Crypt::legacyEncrypt($this->dataShort, $this->pass); - - $this->assertNotEquals($this->dataShort, $crypted); - - # TODO: search inencrypted text for actual content to ensure it - # genuine transformation - - return $crypted; - - } - /** * @medium * @brief test decryption using legacy blowfish method - * @depends testLegacyEncryptShort */ - function testLegacyDecryptShort($crypted) { + function testLegacyDecryptShort() { + + $crypted = $this->legacyEncrypt($this->dataShort, $this->pass); $decrypted = Encryption\Crypt::legacyBlockDecrypt($crypted, $this->pass); @@ -576,55 +396,17 @@ class Test_Encryption_Crypt extends \PHPUnit_Framework_TestCase { } - /** - * @medium - * @brief test encryption using legacy blowfish method - */ - function testLegacyEncryptLong() { - - $crypted = Encryption\Crypt::legacyEncrypt($this->dataLong, $this->pass); - - $this->assertNotEquals($this->dataLong, $crypted); - - # TODO: search inencrypted text for actual content to ensure it - # genuine transformation - - return $crypted; - - } - /** * @medium * @brief test decryption using legacy blowfish method - * @depends testLegacyEncryptLong */ - function testLegacyDecryptLong($crypted) { + function testLegacyDecryptLong() { + + $crypted = $this->legacyEncrypt($this->dataLong, $this->pass); $decrypted = Encryption\Crypt::legacyBlockDecrypt($crypted, $this->pass); $this->assertEquals($this->dataLong, $decrypted); - - $this->assertFalse(Encryption\Crypt::getBlowfish('')); - } - - /** - * @medium - * @brief test generation of legacy encryption key - * @depends testLegacyDecryptShort - */ - function testLegacyCreateKey() { - - // Create encrypted key - $encKey = Encryption\Crypt::legacyCreateKey($this->pass); - - // Decrypt key - $key = Encryption\Crypt::legacyBlockDecrypt($encKey, $this->pass); - - $this->assertTrue(is_numeric($key)); - - // Check that key is correct length - $this->assertEquals(20, strlen($key)); - } /** @@ -871,4 +653,19 @@ class Test_Encryption_Crypt extends \PHPUnit_Framework_TestCase { // tear down $view->unlink($filename); } + + + /** + * @brief ncryption using legacy blowfish method + * @param data data to encrypt + * @param passwd password + */ + function legacyEncrypt($data, $passwd) { + + $bf = new \Crypt_Blowfish($passwd); + $crypted = $bf->encrypt($data); + + return $crypted; + } + } diff --git a/apps/files_encryption/tests/keymanager.php b/apps/files_encryption/tests/keymanager.php index b644856d95d..13f8c3197c7 100644 --- a/apps/files_encryption/tests/keymanager.php +++ b/apps/files_encryption/tests/keymanager.php @@ -141,10 +141,7 @@ class Test_Encryption_Keymanager extends \PHPUnit_Framework_TestCase { */ function testSetFileKey() { - # NOTE: This cannot be tested until we are able to break out - # of the FileSystemView data directory root - - $key = Encryption\Crypt::symmetricEncryptFileContentKeyfile($this->randomKey, 'hat'); + $key = $this->randomKey; $file = 'unittest-' . time() . '.txt'; @@ -152,24 +149,17 @@ class Test_Encryption_Keymanager extends \PHPUnit_Framework_TestCase { $proxyStatus = \OC_FileProxy::$enabled; \OC_FileProxy::$enabled = false; - $this->view->file_put_contents($this->userId . '/files/' . $file, $key['encrypted']); + $this->view->file_put_contents($this->userId . '/files/' . $file, $this->dataShort); - // Re-enable proxy - our work is done - \OC_FileProxy::$enabled = $proxyStatus; + Encryption\Keymanager::setFileKey($this->view, $file, $this->userId, $key); - //$view = new \OC_FilesystemView( '/' . $this->userId . '/files_encryption/keyfiles' ); - Encryption\Keymanager::setFileKey($this->view, $file, $this->userId, $key['key']); - - // enable encryption proxy - $proxyStatus = \OC_FileProxy::$enabled; - \OC_FileProxy::$enabled = true; + $this->assertTrue($this->view->file_exists('/' . $this->userId . '/files_encryption/keyfiles/' . $file . '.key')); // cleanup $this->view->unlink('/' . $this->userId . '/files/' . $file); // change encryption proxy to previous state \OC_FileProxy::$enabled = $proxyStatus; - } /** -- GitLab From 512f98cac9d4cf2993667e2347ae36c29a0f53e0 Mon Sep 17 00:00:00 2001 From: Bjoern Schiessle Date: Thu, 8 Aug 2013 13:38:15 +0200 Subject: [PATCH 190/415] remove todo item --- apps/files_encryption/lib/crypt.php | 4 ---- 1 file changed, 4 deletions(-) diff --git a/apps/files_encryption/lib/crypt.php b/apps/files_encryption/lib/crypt.php index 34051db6a21..95ea3a888be 100755 --- a/apps/files_encryption/lib/crypt.php +++ b/apps/files_encryption/lib/crypt.php @@ -23,10 +23,6 @@ * */ -/* - * TODO: Check if methods really need to be public - */ - namespace OCA\Encryption; //require_once '../3rdparty/Crypt_Blowfish/Blowfish.php'; -- GitLab From ff67f115d403d13dedf77457c539963f50a80eec Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?J=C3=B6rn=20Friedrich=20Dreyer?= Date: Thu, 8 Aug 2013 13:50:04 +0200 Subject: [PATCH 191/415] fix #2711 using a custom event, also use css selectors over filterAttr --- apps/files/js/fileactions.js | 5 +++-- apps/files_sharing/js/share.js | 7 +++++-- core/js/share.js | 6 +++--- 3 files changed, 11 insertions(+), 7 deletions(-) diff --git a/apps/files/js/fileactions.js b/apps/files/js/fileactions.js index aa66a57a7b5..de67d13559e 100644 --- a/apps/files/js/fileactions.js +++ b/apps/files/js/fileactions.js @@ -65,7 +65,7 @@ var FileActions = { FileActions.currentFile = parent; var actions = FileActions.get(FileActions.getCurrentMimeType(), FileActions.getCurrentType(), FileActions.getCurrentPermissions()); var file = FileActions.getCurrentFile(); - if ($('tr').filterAttr('data-file', file).data('renaming')) { + if ($('tr[data-file="'+file+'"]').data('renaming')) { return; } parent.children('a.name').append(''); @@ -164,10 +164,11 @@ $(document).ready(function () { window.location = OC.filePath('files', 'ajax', 'download.php') + '?files=' + encodeURIComponent(filename) + '&dir=' + encodeURIComponent($('#dir').val()); }); } - $('#fileList tr').each(function () { FileActions.display($(this).children('td.filename')); }); + + $('#fileList').trigger(jQuery.Event("fileActionsReady")); }); diff --git a/apps/files_sharing/js/share.js b/apps/files_sharing/js/share.js index eb5a6e8cb7f..b2efafde4e7 100644 --- a/apps/files_sharing/js/share.js +++ b/apps/files_sharing/js/share.js @@ -4,6 +4,10 @@ $(document).ready(function() { if (typeof OC.Share !== 'undefined' && typeof FileActions !== 'undefined' && !disableSharing) { + $('#fileList').one('fileActionsReady',function(){ + OC.Share.loadIcons('file'); + }); + FileActions.register('all', 'Share', OC.PERMISSION_READ, OC.imagePath('core', 'actions/share'), function(filename) { if ($('#dir').val() == '/') { var item = $('#dir').val() + filename; @@ -33,6 +37,5 @@ $(document).ready(function() { OC.Share.showDropDown(itemType, $(tr).data('id'), appendTo, true, possiblePermissions); } }); - OC.Share.loadIcons('file'); } -}); +}); \ No newline at end of file diff --git a/core/js/share.js b/core/js/share.js index b4b5159b0b5..b0d38c45cb8 100644 --- a/core/js/share.js +++ b/core/js/share.js @@ -22,9 +22,9 @@ OC.Share={ if (itemType != 'file' && itemType != 'folder') { $('a.share[data-item="'+item+'"]').css('background', 'url('+image+') no-repeat center'); } else { - var file = $('tr').filterAttr('data-id', item); + var file = $('tr[data-id="'+item+'"]'); if (file.length > 0) { - var action = $(file).find('.fileactions .action').filterAttr('data-action', 'Share'); + var action = $(file).find('.fileactions .action[data-action="Share"]'); var img = action.find('img').attr('src', image); action.addClass('permanent'); action.html(' '+t('core', 'Shared')).prepend(img); @@ -36,7 +36,7 @@ OC.Share={ // Search for possible parent folders that are shared while (path != last) { if (path == data['path']) { - var actions = $('.fileactions .action').filterAttr('data-action', 'Share'); + var actions = $('.fileactions .action[data-action="Share"]'); $.each(actions, function(index, action) { var img = $(action).find('img'); if (img.attr('src') != OC.imagePath('core', 'actions/public')) { -- GitLab From c458e785a1612e04b54bb9fbb0f22c0852758fb0 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Thu, 8 Aug 2013 15:08:58 +0200 Subject: [PATCH 192/415] fixing typos and PHPDoc --- apps/files_encryption/lib/crypt.php | 7 +++---- apps/files_encryption/tests/crypt.php | 7 ++++--- 2 files changed, 7 insertions(+), 7 deletions(-) diff --git a/apps/files_encryption/lib/crypt.php b/apps/files_encryption/lib/crypt.php index 95ea3a888be..99c11d0c5fb 100755 --- a/apps/files_encryption/lib/crypt.php +++ b/apps/files_encryption/lib/crypt.php @@ -25,7 +25,6 @@ namespace OCA\Encryption; -//require_once '../3rdparty/Crypt_Blowfish/Blowfish.php'; require_once realpath(dirname(__FILE__) . '/../3rdparty/Crypt_Blowfish/Blowfish.php'); /** @@ -514,11 +513,11 @@ class Crypt { } /** - * @brief Get the blowfish encryption handeler for a key + * @brief Get the blowfish encryption handler for a key * @param $key string (optional) * @return \Crypt_Blowfish blowfish object * - * if the key is left out, the default handeler will be used + * if the key is left out, the default handler will be used */ private static function getBlowfish($key = '') { @@ -571,4 +570,4 @@ class Crypt { } } -} \ No newline at end of file +} diff --git a/apps/files_encryption/tests/crypt.php b/apps/files_encryption/tests/crypt.php index b7b16f25dca..2330a45be84 100755 --- a/apps/files_encryption/tests/crypt.php +++ b/apps/files_encryption/tests/crypt.php @@ -656,9 +656,10 @@ class Test_Encryption_Crypt extends \PHPUnit_Framework_TestCase { /** - * @brief ncryption using legacy blowfish method - * @param data data to encrypt - * @param passwd password + * @brief encryption using legacy blowfish method + * @param $data string data to encrypt + * @param $passwd string password + * @return string */ function legacyEncrypt($data, $passwd) { -- GitLab From 0718c92dc805f7379b1dbffcd35155dc7e828b9f Mon Sep 17 00:00:00 2001 From: Andreas Fischer Date: Thu, 8 Aug 2013 22:13:53 +0200 Subject: [PATCH 193/415] Do not repeat definition of $target. --- apps/files/ajax/newfile.php | 11 ++++++----- 1 file changed, 6 insertions(+), 5 deletions(-) diff --git a/apps/files/ajax/newfile.php b/apps/files/ajax/newfile.php index 8548fc95ddf..8ee4888b34d 100644 --- a/apps/files/ajax/newfile.php +++ b/apps/files/ajax/newfile.php @@ -54,6 +54,8 @@ function progress($notification_code, $severity, $message, $message_code, $bytes } } +$target = $dir.'/'.$filename; + if($source) { if(substr($source, 0, 8)!='https://' and substr($source, 0, 7)!='http://') { OCP\JSON::error(array("data" => array( "message" => "Not a valid source" ))); @@ -62,7 +64,6 @@ if($source) { $ctx = stream_context_create(null, array('notification' =>'progress')); $sourceStream=fopen($source, 'rb', false, $ctx); - $target=$dir.'/'.$filename; $result=\OC\Files\Filesystem::file_put_contents($target, $sourceStream); if($result) { $meta = \OC\Files\Filesystem::getFileInfo($target); @@ -76,14 +77,14 @@ if($source) { exit(); } else { if($content) { - if(\OC\Files\Filesystem::file_put_contents($dir.'/'.$filename, $content)) { - $meta = \OC\Files\Filesystem::getFileInfo($dir.'/'.$filename); + if(\OC\Files\Filesystem::file_put_contents($target, $content)) { + $meta = \OC\Files\Filesystem::getFileInfo($target); $id = $meta['fileid']; OCP\JSON::success(array("data" => array('content'=>$content, 'id' => $id))); exit(); } - }elseif(\OC\Files\Filesystem::touch($dir . '/' . $filename)) { - $meta = \OC\Files\Filesystem::getFileInfo($dir.'/'.$filename); + }elseif(\OC\Files\Filesystem::touch($target)) { + $meta = \OC\Files\Filesystem::getFileInfo($target); $id = $meta['fileid']; OCP\JSON::success(array("data" => array('content'=>$content, 'id' => $id, 'mime' => $meta['mimetype']))); exit(); -- GitLab From 1ed049a6828149e00d424a3dac87b3d1b1777d6a Mon Sep 17 00:00:00 2001 From: Andreas Fischer Date: Thu, 8 Aug 2013 21:27:59 +0200 Subject: [PATCH 194/415] Do not repeat JSON success code. --- apps/files/ajax/newfile.php | 15 +++++++-------- 1 file changed, 7 insertions(+), 8 deletions(-) diff --git a/apps/files/ajax/newfile.php b/apps/files/ajax/newfile.php index 8ee4888b34d..22598ee78e1 100644 --- a/apps/files/ajax/newfile.php +++ b/apps/files/ajax/newfile.php @@ -76,14 +76,14 @@ if($source) { $eventSource->close(); exit(); } else { + $success = false; if($content) { - if(\OC\Files\Filesystem::file_put_contents($target, $content)) { - $meta = \OC\Files\Filesystem::getFileInfo($target); - $id = $meta['fileid']; - OCP\JSON::success(array("data" => array('content'=>$content, 'id' => $id))); - exit(); - } - }elseif(\OC\Files\Filesystem::touch($target)) { + $success = \OC\Files\Filesystem::file_put_contents($target, $content); + } else { + $success = \OC\Files\Filesystem::touch($target); + } + + if($success) { $meta = \OC\Files\Filesystem::getFileInfo($target); $id = $meta['fileid']; OCP\JSON::success(array("data" => array('content'=>$content, 'id' => $id, 'mime' => $meta['mimetype']))); @@ -91,5 +91,4 @@ if($source) { } } - OCP\JSON::error(array("data" => array( "message" => "Error when creating the file" ))); -- GitLab From 0ab885047867ba9b28514e5e4f93136e74837fe5 Mon Sep 17 00:00:00 2001 From: Andreas Fischer Date: Thu, 8 Aug 2013 21:35:18 +0200 Subject: [PATCH 195/415] Adjust JSON code to stable5. --- apps/files/ajax/newfile.php | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/apps/files/ajax/newfile.php b/apps/files/ajax/newfile.php index 22598ee78e1..46149c3e8bd 100644 --- a/apps/files/ajax/newfile.php +++ b/apps/files/ajax/newfile.php @@ -86,7 +86,8 @@ if($source) { if($success) { $meta = \OC\Files\Filesystem::getFileInfo($target); $id = $meta['fileid']; - OCP\JSON::success(array("data" => array('content'=>$content, 'id' => $id, 'mime' => $meta['mimetype']))); + $mime = $meta['mimetype']; + OCP\JSON::success(array("data" => array('mime'=>$mime, 'content'=>$content, 'id' => $id))); exit(); } } -- GitLab From beb27168de3e81f71c894ee64561d029b3b2b02c Mon Sep 17 00:00:00 2001 From: Andreas Fischer Date: Thu, 8 Aug 2013 21:36:10 +0200 Subject: [PATCH 196/415] Use multiple lines for the JSON data array. --- apps/files/ajax/newfile.php | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/apps/files/ajax/newfile.php b/apps/files/ajax/newfile.php index 46149c3e8bd..8c1aad8668c 100644 --- a/apps/files/ajax/newfile.php +++ b/apps/files/ajax/newfile.php @@ -87,7 +87,11 @@ if($source) { $meta = \OC\Files\Filesystem::getFileInfo($target); $id = $meta['fileid']; $mime = $meta['mimetype']; - OCP\JSON::success(array("data" => array('mime'=>$mime, 'content'=>$content, 'id' => $id))); + OCP\JSON::success(array('data' => array( + 'id' => $id, + 'mime' => $mime, + 'content' => $content, + ))); exit(); } } -- GitLab From f5d23c469d15f09c0591da7634853508592a79f3 Mon Sep 17 00:00:00 2001 From: Myles McNamara Date: Thu, 8 Aug 2013 16:21:47 -0400 Subject: [PATCH 197/415] use getName instead of getTitle --- core/lostpassword/controller.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/core/lostpassword/controller.php b/core/lostpassword/controller.php index 20445afe3fe..74a5be2b96f 100644 --- a/core/lostpassword/controller.php +++ b/core/lostpassword/controller.php @@ -58,7 +58,7 @@ class OC_Core_LostPassword_Controller { $from = OCP\Util::getDefaultEmailAddress('lostpassword-noreply'); try { $defaults = new OC_Defaults(); - OC_Mail::send($email, $_POST['user'], $l->t('%s password reset', array($defaults->getTitle())), $msg, $from, $defaults->getName()); + OC_Mail::send($email, $_POST['user'], $l->t('%s password reset', array($defaults->getName())), $msg, $from, $defaults->getName()); } catch (Exception $e) { OC_Template::printErrorPage( 'A problem occurs during sending the e-mail please contact your administrator.'); } -- GitLab From 881e362f932bfd2d3b5daddd83545d09bda16e40 Mon Sep 17 00:00:00 2001 From: Valerio Ponte Date: Fri, 10 May 2013 21:11:47 +0200 Subject: [PATCH 198/415] final fix for xsendfile zip generation race condition --- lib/helper.php | 23 ++++++++++++++++++++--- 1 file changed, 20 insertions(+), 3 deletions(-) diff --git a/lib/helper.php b/lib/helper.php index ca508e1d933..056c9a37fe5 100644 --- a/lib/helper.php +++ b/lib/helper.php @@ -621,9 +621,26 @@ class OC_Helper { * remove all files in PHP /oc-noclean temp dir */ public static function cleanTmpNoClean() { - $tmpDirNoCleanFile=get_temp_dir().'/oc-noclean/'; - if(file_exists($tmpDirNoCleanFile)) { - self::rmdirr($tmpDirNoCleanFile); + $tmpDirNoCleanName=get_temp_dir().'/oc-noclean/'; + if(file_exists($tmpDirNoCleanName) && is_dir($tmpDirNoCleanName)) { + $files=scandir($tmpDirNoCleanName); + foreach($files as $file) { + $fileName = $tmpDirNoCleanName . $file; + if (!\OC\Files\Filesystem::isIgnoredDir($file) && filemtime($fileName) + 600 < time()) { + unlink($fileName); + } + } + // if oc-noclean is empty delete it + $isTmpDirNoCleanEmpty = true; + $tmpDirNoClean = opendir($tmpDirNoCleanName); + while (false !== ($file = readdir($tmpDirNoClean))) { + if (!\OC\Files\Filesystem::isIgnoredDir($file)) { + $isTmpDirNoCleanEmpty = false; + } + } + if ($isTmpDirNoCleanEmpty) { + rmdir($tmpDirNoCleanName); + } } } -- GitLab From 1c9d52774e165da3d916399510727de6b7c487fa Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Fri, 9 Aug 2013 09:31:53 +0200 Subject: [PATCH 199/415] update indexes of oc_permissions --- db_structure.xml | 2 -- lib/util.php | 2 +- 2 files changed, 1 insertion(+), 3 deletions(-) diff --git a/db_structure.xml b/db_structure.xml index 4c192ba028e..1fcba9e2247 100644 --- a/db_structure.xml +++ b/db_structure.xml @@ -397,8 +397,6 @@ id_user_index - true - true fileid ascending diff --git a/lib/util.php b/lib/util.php index dc13d31fd2b..a7a83cf1a23 100755 --- a/lib/util.php +++ b/lib/util.php @@ -78,7 +78,7 @@ class OC_Util { public static function getVersion() { // hint: We only can count up. Reset minor/patchlevel when // updating major/minor version number. - return array(5, 80, 06); + return array(5, 80, 07); } /** -- GitLab From 9334974a926e1d9bae22e434f9f886c3ccb95e25 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?J=C3=B6rn=20Friedrich=20Dreyer?= Date: Fri, 9 Aug 2013 11:27:21 +0200 Subject: [PATCH 200/415] allow empty configvalue in appconfig --- db_structure.xml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/db_structure.xml b/db_structure.xml index ef5de653033..f926ab44cd4 100644 --- a/db_structure.xml +++ b/db_structure.xml @@ -32,7 +32,7 @@ configvalue clob - true + false -- GitLab From 5ba8d38b7fcbdb2f1619f46b2e9513899a61b887 Mon Sep 17 00:00:00 2001 From: Bjoern Schiessle Date: Fri, 9 Aug 2013 15:55:17 +0200 Subject: [PATCH 201/415] remove old comments, TODos, etc. --- apps/files_encryption/hooks/hooks.php | 3 -- apps/files_encryption/lib/util.php | 63 --------------------------- 2 files changed, 66 deletions(-) diff --git a/apps/files_encryption/hooks/hooks.php b/apps/files_encryption/hooks/hooks.php index 741df166b70..228b3c7ad78 100644 --- a/apps/files_encryption/hooks/hooks.php +++ b/apps/files_encryption/hooks/hooks.php @@ -30,9 +30,6 @@ use OC\Files\Filesystem; */ class Hooks { - // TODO: use passphrase for encrypting private key that is separate to - // the login password - /** * @brief Startup encryption backend upon user login * @note This method should never be called for users using client side encryption diff --git a/apps/files_encryption/lib/util.php b/apps/files_encryption/lib/util.php index 50e823585d7..61685e59c6a 100644 --- a/apps/files_encryption/lib/util.php +++ b/apps/files_encryption/lib/util.php @@ -21,30 +21,6 @@ * */ -# Bugs -# ---- -# Sharing a file to a user without encryption set up will not provide them with access but won't notify the sharer -# Sharing all files to admin for recovery purposes still in progress -# Possibly public links are broken (not tested since last merge of master) - - -# Missing features -# ---------------- -# Make sure user knows if large files weren't encrypted - - -# Test -# ---- -# Test that writing files works when recovery is enabled, and sharing API is disabled -# Test trashbin support - - -// Old Todo: -// - Crypt/decrypt button in the userinterface -// - Setting if crypto should be on by default -// - Add a setting "Don´t encrypt files larger than xx because of performance -// reasons" - namespace OCA\Encryption; /** @@ -57,45 +33,6 @@ namespace OCA\Encryption; class Util { - // Web UI: - - //// DONE: files created via web ui are encrypted - //// DONE: file created & encrypted via web ui are readable in web ui - //// DONE: file created & encrypted via web ui are readable via webdav - - - // WebDAV: - - //// DONE: new data filled files added via webdav get encrypted - //// DONE: new data filled files added via webdav are readable via webdav - //// DONE: reading unencrypted files when encryption is enabled works via - //// webdav - //// DONE: files created & encrypted via web ui are readable via webdav - - - // Legacy support: - - //// DONE: add method to check if file is encrypted using new system - //// DONE: add method to check if file is encrypted using old system - //// DONE: add method to fetch legacy key - //// DONE: add method to decrypt legacy encrypted data - - - // Admin UI: - - //// DONE: changing user password also changes encryption passphrase - - //// TODO: add support for optional recovery in case of lost passphrase / keys - //// TODO: add admin optional required long passphrase for users - //// TODO: implement flag system to allow user to specify encryption by folder, subfolder, etc. - - - // Integration testing: - - //// TODO: test new encryption with versioning - //// DONE: test new encryption with sharing - //// TODO: test new encryption with proxies - const MIGRATION_COMPLETED = 1; // migration to new encryption completed const MIGRATION_IN_PROGRESS = -1; // migration is running const MIGRATION_OPEN = 0; // user still needs to be migrated -- GitLab From 605050df9b42ba68b2d8c34a4075a5af4ebd312c Mon Sep 17 00:00:00 2001 From: kondou Date: Fri, 9 Aug 2013 18:01:49 +0200 Subject: [PATCH 202/415] Log exception at the catching code --- lib/app.php | 10 +++++----- settings/ajax/enableapp.php | 1 + 2 files changed, 6 insertions(+), 5 deletions(-) diff --git a/lib/app.php b/lib/app.php index 1ff18c799cb..8ac4a16ffd0 100644 --- a/lib/app.php +++ b/lib/app.php @@ -235,11 +235,11 @@ class OC_App{ $info=OC_App::getAppInfo($app); $version=OC_Util::getVersion(); if(!isset($info['require']) or !self::isAppVersionCompatible($version, $info['require'])) { - OC_Log::write('core', - 'App "'.$info['name'].'" can\'t be installed because it is' - .' not compatible with this version of ownCloud', - OC_Log::ERROR); - throw new \Exception($l->t("App can't be installed because it is not compatible with this version of ownCloud.")); + throw new \Exception( + $l->t("App \"%s\" can't be installed because it is not compatible with this version of ownCloud.", + array($info['name']) + ) + ); }else{ OC_Appconfig::setValue( $app, 'enabled', 'yes' ); if(isset($appdata['id'])) { diff --git a/settings/ajax/enableapp.php b/settings/ajax/enableapp.php index 0784736a655..735794360b3 100644 --- a/settings/ajax/enableapp.php +++ b/settings/ajax/enableapp.php @@ -7,5 +7,6 @@ try { OC_App::enable(OC_App::cleanAppId($_POST['appid'])); OC_JSON::success(); } catch (Exception $e) { + OC_Log::write('core', $e->getMessage(), OC_Log::ERROR); OC_JSON::error(array("data" => array("message" => $e->getMessage()) )); } -- GitLab From 9549bd3e68aa32bb9fa1a9a54bda84fa5070966f Mon Sep 17 00:00:00 2001 From: kondou Date: Fri, 9 Aug 2013 20:37:18 +0200 Subject: [PATCH 203/415] Use plural translations --- apps/files/js/filelist.js | 5 +++-- apps/files/js/files.js | 14 +++----------- apps/files_trashbin/js/trash.js | 12 ++---------- core/js/js.js | 10 ++++------ lib/template/functions.php | 10 ++++------ 5 files changed, 16 insertions(+), 35 deletions(-) diff --git a/apps/files/js/filelist.js b/apps/files/js/filelist.js index b858e2580ee..e0c72295702 100644 --- a/apps/files/js/filelist.js +++ b/apps/files/js/filelist.js @@ -452,13 +452,14 @@ $(document).ready(function(){ var currentUploads = parseInt(uploadtext.attr('currentUploads')); currentUploads += 1; uploadtext.attr('currentUploads', currentUploads); + var translatedText = n('files', '%n file uploading', '%n files uploading', currentUploads); if(currentUploads === 1) { var img = OC.imagePath('core', 'loading.gif'); data.context.find('td.filename').attr('style','background-image:url('+img+')'); - uploadtext.text(t('files', '1 file uploading')); + uploadtext.text(translatedText); uploadtext.show(); } else { - uploadtext.text(currentUploads + ' ' + t('files', 'files uploading')); + uploadtext.text(translatedText); } } else { // add as stand-alone row to filelist diff --git a/apps/files/js/files.js b/apps/files/js/files.js index 3fad3fae7d3..53fc25f41b0 100644 --- a/apps/files/js/files.js +++ b/apps/files/js/files.js @@ -759,21 +759,13 @@ function procesSelection(){ $('#headerSize').text(humanFileSize(totalSize)); var selection=''; if(selectedFolders.length>0){ - if(selectedFolders.length==1){ - selection+=t('files','1 folder'); - }else{ - selection+=t('files','{count} folders',{count: selectedFolders.length}); - } + selection += n('files', '%n folder', '%n folders', selectedFolders.length); if(selectedFiles.length>0){ selection+=' & '; } } if(selectedFiles.length>0){ - if(selectedFiles.length==1){ - selection+=t('files','1 file'); - }else{ - selection+=t('files','{count} files',{count: selectedFiles.length}); - } + selection += n('files', '%n file', '%n files', selectedFiles.length); } $('#headerName>span.name').text(selection); $('#modified').text(''); @@ -852,4 +844,4 @@ function checkTrashStatus() { $("input[type=button][id=trash]").removeAttr("disabled"); } }); -} \ No newline at end of file +} diff --git a/apps/files_trashbin/js/trash.js b/apps/files_trashbin/js/trash.js index c3c958b07a7..b14a7240cbe 100644 --- a/apps/files_trashbin/js/trash.js +++ b/apps/files_trashbin/js/trash.js @@ -188,21 +188,13 @@ function processSelection(){ $('.selectedActions').show(); var selection=''; if(selectedFolders.length>0){ - if(selectedFolders.length === 1){ - selection+=t('files','1 folder'); - }else{ - selection+=t('files','{count} folders',{count: selectedFolders.length}); - } + selection += n('files', '%n folder', '%n folders', selectedFolders.length); if(selectedFiles.length>0){ selection+=' & '; } } if(selectedFiles.length>0){ - if(selectedFiles.length === 1){ - selection+=t('files','1 file'); - }else{ - selection+=t('files','{count} files',{count: selectedFiles.length}); - } + selection += n('files', '%n file', '%n files', selectedFiles.length); } $('#headerName>span.name').text(selection); $('#modified').text(''); diff --git a/core/js/js.js b/core/js/js.js index 1d1711383f7..0fc4bab80a7 100644 --- a/core/js/js.js +++ b/core/js/js.js @@ -812,15 +812,13 @@ function relative_modified_date(timestamp) { var diffdays = Math.round(diffhours/24); var diffmonths = Math.round(diffdays/31); if(timediff < 60) { return t('core','seconds ago'); } - else if(timediff < 120) { return t('core','1 minute ago'); } - else if(timediff < 3600) { return t('core','{minutes} minutes ago',{minutes: diffminutes}); } - else if(timediff < 7200) { return t('core','1 hour ago'); } - else if(timediff < 86400) { return t('core','{hours} hours ago',{hours: diffhours}); } + else if(timediff < 3600) { return n('core','%n minute ago', '%n minutes ago', diffminutes); } + else if(timediff < 86400) { return n('core', '%n hour ago', '%n hours ago', diffhours); } else if(timediff < 86400) { return t('core','today'); } else if(timediff < 172800) { return t('core','yesterday'); } - else if(timediff < 2678400) { return t('core','{days} days ago',{days: diffdays}); } + else if(timediff < 2678400) { return n('core', '%n day ago', '%n days ago', diffdays); } else if(timediff < 5184000) { return t('core','last month'); } - else if(timediff < 31556926) { return t('core','{months} months ago',{months: diffmonths}); } + else if(timediff < 31556926) { return n('core', '%n month ago', '%n months ago', diffmonths); } //else if(timediff < 31556926) { return t('core','months ago'); } else if(timediff < 63113852) { return t('core','last year'); } else { return t('core','years ago'); } diff --git a/lib/template/functions.php b/lib/template/functions.php index 2d43cae1c0c..717e197c1cb 100644 --- a/lib/template/functions.php +++ b/lib/template/functions.php @@ -78,15 +78,13 @@ function relative_modified_date($timestamp) { $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($timediff < 3600) { return $l->n('%n minute ago', '%n minutes ago', $diffminutes); } + else if($timediff < 86400) { return $l->n('%n hour ago', '%n 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 < 2678400) { return $l->n('%n day go', '%n 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((date('n')-$diffmonths) > 0) { return $l->n('%n month ago', '%n months ago', $diffmonths); } else if($timediff < 63113852) { return $l->t('last year'); } else { return $l->t('years ago'); } } -- GitLab From b24b208dce41d11ace0295a93d4303c75ffa38d4 Mon Sep 17 00:00:00 2001 From: kondou Date: Fri, 9 Aug 2013 21:57:01 +0200 Subject: [PATCH 204/415] Throw exceptions instead of only logging in \OC_Installer::installApp() --- lib/installer.php | 53 ++++++++++++++++------------------------------- 1 file changed, 18 insertions(+), 35 deletions(-) diff --git a/lib/installer.php b/lib/installer.php index dcd29f9e1ad..101c99e9c1f 100644 --- a/lib/installer.php +++ b/lib/installer.php @@ -27,6 +27,7 @@ class OC_Installer{ /** * @brief Installs an app * @param $data array with all information + * @throws \Exception * @returns integer * * This function installs an app. All information needed are passed in the @@ -56,23 +57,22 @@ class OC_Installer{ * needed to get the app working. */ public static function installApp( $data = array()) { + $l = \OC_L10N::get('lib'); + if(!isset($data['source'])) { - OC_Log::write('core', 'No source specified when installing app', OC_Log::ERROR); - return false; + throw new \Exception($l->t("No source specified when installing app")); } //download the file if necesary if($data['source']=='http') { $path=OC_Helper::tmpFile(); if(!isset($data['href'])) { - OC_Log::write('core', 'No href specified when installing app from http', OC_Log::ERROR); - return false; + throw new \Exception($l->t("No href specified when installing app from http")); } copy($data['href'], $path); }else{ if(!isset($data['path'])) { - OC_Log::write('core', 'No path specified when installing app from local file', OC_Log::ERROR); - return false; + throw new \Exception($l->t("No path specified when installing app from local file")); } $path=$data['path']; } @@ -86,8 +86,7 @@ class OC_Installer{ rename($path, $path.'.tgz'); $path.='.tgz'; }else{ - OC_Log::write('core', 'Archives of type '.$mime.' are not supported', OC_Log::ERROR); - return false; + throw new \Exception($l->t("Archives of type %s are not supported", array($mime))); } //extract the archive in a temporary folder @@ -97,12 +96,11 @@ class OC_Installer{ if($archive=OC_Archive::open($path)) { $archive->extract($extractDir); } else { - OC_Log::write('core', 'Failed to open archive when installing app', OC_Log::ERROR); OC_Helper::rmdirr($extractDir); if($data['source']=='http') { unlink($path); } - return false; + throw new \Exception($l->t("Failed to open archive when installing app")); } //load the info.xml file of the app @@ -118,62 +116,48 @@ class OC_Installer{ } } if(!is_file($extractDir.'/appinfo/info.xml')) { - OC_Log::write('core', 'App does not provide an info.xml file', OC_Log::ERROR); OC_Helper::rmdirr($extractDir); if($data['source']=='http') { unlink($path); } - return false; + throw new \Exception($l->t("App does not provide an info.xml file")); } $info=OC_App::getAppInfo($extractDir.'/appinfo/info.xml', true); // check the code for not allowed calls if(!OC_Installer::checkCode($info['id'], $extractDir)) { - OC_Log::write('core', 'App can\'t be installed because of not allowed code in the App', OC_Log::ERROR); OC_Helper::rmdirr($extractDir); - return false; + throw new \Exception($l->t("App can't be installed because of not allowed code in the App")); } // check if the app is compatible with this version of ownCloud if( - !isset($info['require']) - or !OC_App::isAppVersionCompatible(OC_Util::getVersion(), $info['require']) - ) { - OC_Log::write('core', - 'App can\'t be installed because it is not compatible with this version of ownCloud', - OC_Log::ERROR); + !isset($info['require']) + or !OC_App::isAppVersionCompatible(OC_Util::getVersion(), $info['require']) + ) { OC_Helper::rmdirr($extractDir); - return false; + throw new \Exception($l->t("App can't be installed because it is not compatible with this version of ownCloud")); } // check if shipped tag is set which is only allowed for apps that are shipped with ownCloud if(isset($info['shipped']) and ($info['shipped']=='true')) { - OC_Log::write('core', - 'App can\'t be installed because it contains the true' - .' tag which is not allowed for non shipped apps', - OC_Log::ERROR); OC_Helper::rmdirr($extractDir); - return false; + throw new \Exception($l->t("App can't be installed because it contains the <shipped>true</shipped> tag which is not allowed for non shipped apps")); } // check if the ocs version is the same as the version in info.xml/version if(!isset($info['version']) or ($info['version']<>$data['appdata']['version'])) { - OC_Log::write('core', - 'App can\'t be installed because the version in info.xml/version is not the same' - .' as the version reported from the app store', - OC_Log::ERROR); OC_Helper::rmdirr($extractDir); - return false; + throw new \Exception($l->t("App can't be installed because the version in info.xml/version is not the same as the version reported from the app store")); } $basedir=OC_App::getInstallPath().'/'.$info['id']; //check if the destination directory already exists if(is_dir($basedir)) { - OC_Log::write('core', 'App directory already exists', OC_Log::WARN); OC_Helper::rmdirr($extractDir); if($data['source']=='http') { unlink($path); } - return false; + throw new \Exception($l->t("App directory already exists")); } if(isset($data['pretent']) and $data['pretent']==true) { @@ -182,12 +166,11 @@ class OC_Installer{ //copy the app to the correct place if(@!mkdir($basedir)) { - OC_Log::write('core', 'Can\'t create app folder. Please fix permissions. ('.$basedir.')', OC_Log::ERROR); OC_Helper::rmdirr($extractDir); if($data['source']=='http') { unlink($path); } - return false; + throw new \Exception($l->t("Can't create app folder. Please fix permissions. %s", array($basedir))); } OC_Helper::copyr($extractDir, $basedir); -- GitLab From b982868c14ea66f0241b4a801f92fdd594fcca3b Mon Sep 17 00:00:00 2001 From: Bjoern Schiessle Date: Mon, 12 Aug 2013 13:59:49 +0200 Subject: [PATCH 205/415] fix array declaration --- apps/files_encryption/lib/util.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/apps/files_encryption/lib/util.php b/apps/files_encryption/lib/util.php index 979b0fac407..8819b0f972a 100644 --- a/apps/files_encryption/lib/util.php +++ b/apps/files_encryption/lib/util.php @@ -766,7 +766,7 @@ class Util { $versionStatus = \OCP\App::isEnabled('files_versions'); \OC_App::disable('files_versions'); - $decryptedFiles[] = array(); + $decryptedFiles = array(); // Encrypt unencrypted files foreach ($found['encrypted'] as $encryptedFile) { -- GitLab From 0bab8935c95c249405f5b12f4724d189c4ec648b Mon Sep 17 00:00:00 2001 From: Bjoern Schiessle Date: Mon, 12 Aug 2013 14:30:43 +0200 Subject: [PATCH 206/415] preserve mtime if file gets encrypted/decrypted --- apps/files_encryption/lib/util.php | 14 +++++++++++++- 1 file changed, 13 insertions(+), 1 deletion(-) diff --git a/apps/files_encryption/lib/util.php b/apps/files_encryption/lib/util.php index 8819b0f972a..9d351983e2a 100644 --- a/apps/files_encryption/lib/util.php +++ b/apps/files_encryption/lib/util.php @@ -777,6 +777,9 @@ class Util { //relative to /data $rawPath = $encryptedFile['path']; + //get timestamp + $timestamp = $this->view->filemtime($rawPath); + //enable proxy to use OC\Files\View to access the original file \OC_FileProxy::$enabled = true; @@ -818,6 +821,9 @@ class Util { $this->view->chroot($fakeRoot); + //set timestamp + $this->view->touch($rawPath, $timestamp); + // Add the file to the cache \OC\Files\Filesystem::putFileInfo($relPath, array( 'encrypted' => false, @@ -875,10 +881,13 @@ class Util { //relative to data//file $relPath = $plainFile['path']; - + //relative to /data $rawPath = '/' . $this->userId . '/files/' . $plainFile['path']; + // keep timestamp + $timestamp = $this->view->filemtime($rawPath); + // Open plain file handle for binary reading $plainHandle = $this->view->fopen($rawPath, 'rb'); @@ -897,6 +906,9 @@ class Util { $this->view->rename($relPath . '.part', $relPath); $this->view->chroot($fakeRoot); + + // set timestamp + $this->view->touch($rawPath, $timestamp); // Add the file to the cache \OC\Files\Filesystem::putFileInfo($relPath, array( -- GitLab From 7b1067c2a09c6c312bf63ae5d8948c0c151f1891 Mon Sep 17 00:00:00 2001 From: Bjoern Schiessle Date: Mon, 12 Aug 2013 16:19:08 +0200 Subject: [PATCH 207/415] change decryptUnknownKeyfile() to decryptKeyfile(), we always use openssl_seal --- apps/files_encryption/lib/util.php | 36 +++++------------------------- 1 file changed, 6 insertions(+), 30 deletions(-) diff --git a/apps/files_encryption/lib/util.php b/apps/files_encryption/lib/util.php index 61685e59c6a..c6fc134fe42 100644 --- a/apps/files_encryption/lib/util.php +++ b/apps/files_encryption/lib/util.php @@ -815,46 +815,22 @@ class Util { } /** - * @brief Decrypt a keyfile without knowing how it was encrypted + * @brief Decrypt a keyfile * @param string $filePath - * @param string $fileOwner * @param string $privateKey * @return bool|string - * @note Checks whether file was encrypted with openssl_seal or - * openssl_encrypt, and decrypts accrdingly - * @note This was used when 2 types of encryption for keyfiles was used, - * but now we've switched to exclusively using openssl_seal() */ - public function decryptUnknownKeyfile($filePath, $fileOwner, $privateKey) { + private function decryptKeyfile($filePath, $privateKey) { // Get the encrypted keyfile - // NOTE: the keyfile format depends on how it was encrypted! At - // this stage we don't know how it was encrypted $encKeyfile = Keymanager::getFileKey($this->view, $this->userId, $filePath); - // We need to decrypt the keyfile - // Has the file been shared yet? - if ( - $this->userId === $fileOwner - && !Keymanager::getShareKey($this->view, $this->userId, $filePath) // NOTE: we can't use isShared() here because it's a post share hook so it always returns true - ) { - - // The file has no shareKey, and its keyfile must be - // decrypted conventionally - $plainKeyfile = Crypt::keyDecrypt($encKeyfile, $privateKey); - - - } else { + // The file has a shareKey and must use it for decryption + $shareKey = Keymanager::getShareKey($this->view, $this->userId, $filePath); - // The file has a shareKey and must use it for decryption - $shareKey = Keymanager::getShareKey($this->view, $this->userId, $filePath); - - $plainKeyfile = Crypt::multiKeyDecrypt($encKeyfile, $shareKey, $privateKey); - - } + $plainKeyfile = Crypt::multiKeyDecrypt($encKeyfile, $shareKey, $privateKey); return $plainKeyfile; - } /** @@ -893,7 +869,7 @@ class Util { $fileOwner = \OC\Files\Filesystem::getOwner($filePath); // Decrypt keyfile - $plainKeyfile = $this->decryptUnknownKeyfile($filePath, $fileOwner, $privateKey); + $plainKeyfile = $this->decryptKeyfile($filePath, $privateKey); // Re-enc keyfile to (additional) sharekeys $multiEncKey = Crypt::multiKeyEncrypt($plainKeyfile, $userPubKeys); -- GitLab From 53bb89824deaf97095acf6bcc2997aa7141dd573 Mon Sep 17 00:00:00 2001 From: Bjoern Schiessle Date: Mon, 12 Aug 2013 17:25:27 +0200 Subject: [PATCH 208/415] check if some encrypted files are left after the app was disabled and warn the user --- apps/files/index.php | 1 + apps/files/js/files.js | 14 ++++++++++++++ apps/files/templates/index.php | 1 + lib/public/util.php | 8 ++++++++ lib/util.php | 17 +++++++++++++++++ settings/personal.php | 8 +------- 6 files changed, 42 insertions(+), 7 deletions(-) diff --git a/apps/files/index.php b/apps/files/index.php index 2f005391509..57171ac3b5a 100644 --- a/apps/files/index.php +++ b/apps/files/index.php @@ -143,5 +143,6 @@ if ($needUpgrade) { $tmpl->assign('usedSpacePercent', (int)$storageInfo['relative']); $tmpl->assign('isPublic', false); $tmpl->assign('publicUploadEnabled', $publicUploadEnabled); + $tmpl->assign("encryptedFiles", \OCP\Util::encryptedFiles()); $tmpl->printPage(); } diff --git a/apps/files/js/files.js b/apps/files/js/files.js index 98fc53b71a9..d6886fc17e4 100644 --- a/apps/files/js/files.js +++ b/apps/files/js/files.js @@ -81,9 +81,23 @@ Files={ if (usedSpacePercent > 90) { OC.Notification.show(t('files', 'Your storage is almost full ({usedSpacePercent}%)', {usedSpacePercent: usedSpacePercent})); } + }, + + displayEncryptionWarning: function() { + + if (!OC.Notification.isHidden()) { + return; + } + + var encryptedFiles = $('#encryptedFiles').val(); + if (encryptedFiles === '1') { + OC.Notification.show(t('files_encryption', 'Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files.', "www.schiessle.org")); + return; + } } }; $(document).ready(function() { + Files.displayEncryptionWarning(); Files.bindKeyboardShortcuts(document, jQuery); $('#fileList tr').each(function(){ //little hack to set unescape filenames in attribute diff --git a/apps/files/templates/index.php b/apps/files/templates/index.php index e0731609368..72bc1e937cc 100644 --- a/apps/files/templates/index.php +++ b/apps/files/templates/index.php @@ -121,3 +121,4 @@ + diff --git a/lib/public/util.php b/lib/public/util.php index 693805946ea..b33f07b55e6 100644 --- a/lib/public/util.php +++ b/lib/public/util.php @@ -122,6 +122,14 @@ class Util { return(\OC_Util::formatDate( $timestamp, $dateOnly )); } + /** + * @brief check if some encrypted files are stored + * @return bool + */ + public static function encryptedFiles() { + return \OC_Util::encryptedFiles(); + } + /** * @brief Creates an absolute url * @param string $app app diff --git a/lib/util.php b/lib/util.php index 2586ad28320..cc432af62af 100755 --- a/lib/util.php +++ b/lib/util.php @@ -312,6 +312,23 @@ class OC_Util { return $errors; } + /** + * @brief check if there are still some encrypted files stored + * @return boolean + */ + public static function encryptedFiles() { + //check if encryption was enabled in the past + $encryptedFiles = false; + if (OC_App::isEnabled('files_encryption') === false) { + $view = new OC\Files\View('/' . OCP\User::getUser()); + if ($view->file_exists('/files_encryption/keyfiles')) { + $encryptedFiles = true; + } + } + + return $encryptedFiles; + } + /** * Check for correct file permissions of data directory * @return array arrays with error messages and hints diff --git a/settings/personal.php b/settings/personal.php index bad19ba03ce..e69898f6f8f 100644 --- a/settings/personal.php +++ b/settings/personal.php @@ -25,13 +25,7 @@ $userLang=OC_Preferences::getValue( OC_User::getUser(), 'core', 'lang', OC_L10N: $languageCodes=OC_L10N::findAvailableLanguages(); //check if encryption was enabled in the past -$enableDecryptAll = false; -if (OC_App::isEnabled('files_encryption') === false) { - $view = new OC\Files\View('/'.OCP\User::getUser()); - if($view->file_exists('/files_encryption/keyfiles')) { - $enableDecryptAll = true; - } -} +$enableDecryptAll = OC_Util::encryptedFiles(); // array of common languages $commonlangcodes = array( -- GitLab From eb0fdc838015c794641d6630eb64ff9e1c2a47a4 Mon Sep 17 00:00:00 2001 From: Bjoern Schiessle Date: Mon, 12 Aug 2013 17:38:57 +0200 Subject: [PATCH 209/415] provide correct path for require_once --- apps/files_encryption/files/error.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/apps/files_encryption/files/error.php b/apps/files_encryption/files/error.php index f93c67d920a..afe604f8ecb 100644 --- a/apps/files_encryption/files/error.php +++ b/apps/files_encryption/files/error.php @@ -1,6 +1,6 @@ Date: Wed, 14 Aug 2013 06:29:19 +0200 Subject: [PATCH 210/415] Reword a phrase --- apps/files/js/filelist.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/apps/files/js/filelist.js b/apps/files/js/filelist.js index e0c72295702..f7cc3767b25 100644 --- a/apps/files/js/filelist.js +++ b/apps/files/js/filelist.js @@ -452,7 +452,7 @@ $(document).ready(function(){ var currentUploads = parseInt(uploadtext.attr('currentUploads')); currentUploads += 1; uploadtext.attr('currentUploads', currentUploads); - var translatedText = n('files', '%n file uploading', '%n files uploading', currentUploads); + var translatedText = n('files', 'Uploading %n file', 'Uploading %n files', currentUploads); if(currentUploads === 1) { var img = OC.imagePath('core', 'loading.gif'); data.context.find('td.filename').attr('style','background-image:url('+img+')'); -- GitLab From 6c3efaf26c397eb957081f1d7a3a05286ca8445f Mon Sep 17 00:00:00 2001 From: Bjoern Schiessle Date: Wed, 14 Aug 2013 09:44:29 +0200 Subject: [PATCH 211/415] throw exception if encryption was disabled but files are still encrypted to prevent the client from syncing unreadable files --- lib/connector/sabre/file.php | 12 +++++++++++- 1 file changed, 11 insertions(+), 1 deletion(-) diff --git a/lib/connector/sabre/file.php b/lib/connector/sabre/file.php index 06ab73e3e4d..61bdcd5e0ae 100644 --- a/lib/connector/sabre/file.php +++ b/lib/connector/sabre/file.php @@ -50,6 +50,11 @@ class OC_Connector_Sabre_File extends OC_Connector_Sabre_Node implements Sabre_D throw new \Sabre_DAV_Exception_Forbidden(); } + // throw an exception if encryption was disabled but the files are still encrypted + if (\OC_Util::encryptedFiles()) { + throw new \Sabre_DAV_Exception_ServiceUnavailable(); + } + // mark file as partial while uploading (ignored by the scanner) $partpath = $this->path . '.part'; @@ -89,7 +94,12 @@ class OC_Connector_Sabre_File extends OC_Connector_Sabre_Node implements Sabre_D */ public function get() { - return \OC\Files\Filesystem::fopen($this->path, 'rb'); + //throw execption if encryption is disabled but files are still encrypted + if (\OC_Util::encryptedFiles()) { + throw new \Sabre_DAV_Exception_ServiceUnavailable(); + } else { + return \OC\Files\Filesystem::fopen($this->path, 'rb'); + } } -- GitLab From 3cbbe395eba76be37c16dcb00ac93760e965975e Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 14 Aug 2013 11:38:52 +0200 Subject: [PATCH 212/415] don't use hardcoded size for preview --- apps/files/js/files.js | 4 +++- apps/files/templates/index.php | 2 +- 2 files changed, 4 insertions(+), 2 deletions(-) diff --git a/apps/files/js/files.js b/apps/files/js/files.js index 8b66ed6747b..180c23cbfa4 100644 --- a/apps/files/js/files.js +++ b/apps/files/js/files.js @@ -825,7 +825,9 @@ function getMimeIcon(mime, ready){ getMimeIcon.cache={}; function getPreviewIcon(path, ready){ - ready(OC.Router.generate('core_ajax_preview', {file: encodeURIComponent(path), x:36, y:36})); + var x = $('#filestable').data('preview-x'); + var y = $('#filestable').data('preview-y'); + ready(OC.Router.generate('core_ajax_preview', {file: encodeURIComponent(path), x:x, y:y})); } function getUniqueName(name){ diff --git a/apps/files/templates/index.php b/apps/files/templates/index.php index e4348904671..311ada70dfd 100644 --- a/apps/files/templates/index.php +++ b/apps/files/templates/index.php @@ -59,7 +59,7 @@
    t('Nothing in here. Upload something!'))?>
    - +
    ').attr({ "class": "filename", - "style": 'background-image:url('+iconurl+'); background-size: 16px;' + "style": 'background-image:url('+iconurl+'); background-size: 32px;' }); td.append(''); var link_elem = $('').attr({ -- GitLab From 81a45cfcf1c7064615429bb3f9759e9455868614 Mon Sep 17 00:00:00 2001 From: Stephane Martin Date: Mon, 26 Aug 2013 15:16:41 +0200 Subject: [PATCH 333/415] fixes #4574 --- lib/base.php | 15 ++++++++++----- 1 file changed, 10 insertions(+), 5 deletions(-) diff --git a/lib/base.php b/lib/base.php index 2613e88d053..c73eb9413d6 100644 --- a/lib/base.php +++ b/lib/base.php @@ -795,11 +795,16 @@ class OC { ) { return false; } - OC_App::loadApps(array('authentication')); - 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(); - $_SERVER['HTTP_REQUESTTOKEN'] = OC_Util::callRegister(); + // don't redo authentication if user is already logged in + // otherwise session would be invalidated in OC_User::login with + // session_regenerate_id at every page load + if (!OC_User::isLoggedIn()) { + OC_App::loadApps(array('authentication')); + 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(); + $_SERVER['HTTP_REQUESTTOKEN'] = OC_Util::callRegister(); + } } return true; } -- GitLab From b16a018da99259278ba2f93f1e0c2d2e2bce6fb0 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Mon, 26 Aug 2013 16:33:51 +0200 Subject: [PATCH 334/415] use random string as id for checkbox --- apps/files/js/filelist.js | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/apps/files/js/filelist.js b/apps/files/js/filelist.js index 7a48453488a..cbeca1764ea 100644 --- a/apps/files/js/filelist.js +++ b/apps/files/js/filelist.js @@ -17,7 +17,8 @@ var FileList={ "class": "filename", "style": 'background-image:url('+iconurl+'); background-size: 32px;' }); - td.append(''); + var rand = Math.random().toString(16).slice(2); + td.append(''); var link_elem = $('').attr({ "class": "name", "href": linktarget -- GitLab From 1f5a55ddff8c5339b849d91c24722b3a3e367a2c Mon Sep 17 00:00:00 2001 From: Arthur Schiwon Date: Mon, 26 Aug 2013 17:46:31 +0200 Subject: [PATCH 335/415] consolidate validity check for users in group class --- lib/group/group.php | 47 ++++++++++++++++++++------------------- tests/lib/group/group.php | 10 ++++----- 2 files changed, 29 insertions(+), 28 deletions(-) diff --git a/lib/group/group.php b/lib/group/group.php index bb1537b5c66..bcd2419b309 100644 --- a/lib/group/group.php +++ b/lib/group/group.php @@ -62,7 +62,6 @@ class Group { return $this->users; } - $users = array(); $userIds = array(); foreach ($this->backends as $backend) { $diff = array_diff( @@ -74,14 +73,8 @@ class Group { } } - foreach ($userIds as $userId) { - $user = $this->userManager->get($userId); - if(!is_null($user)) { - $users[] = $user; - } - } - $this->users = $users; - return $users; + $this->users = $this->getVerifiedUsers($userIds); + return $this->users; } /** @@ -116,7 +109,7 @@ class Group { if ($backend->implementsActions(OC_GROUP_BACKEND_ADD_TO_GROUP)) { $backend->addToGroup($user->getUID(), $this->gid); if ($this->users) { - $this->users[] = $user; + $this->users[$user->getUID()] = $user; } if ($this->emitter) { $this->emitter->emit('\OC\Group', 'postAddUser', array($this, $user)); @@ -175,12 +168,7 @@ class Group { if (!is_null($offset)) { $offset -= count($userIds); } - foreach ($userIds as $userId) { - $user = $this->userManager->get($userId); - if(!is_null($user)) { - $users[$userId] = $user; - } - } + $users += $this->getVerifiedUsers($userIds); if (!is_null($limit) and $limit <= 0) { return array_values($users); } @@ -197,7 +185,6 @@ class Group { * @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)); @@ -210,12 +197,7 @@ class Group { if (!is_null($offset)) { $offset -= count($userIds); } - foreach ($userIds as $userId) { - $user = $this->userManager->get($userId); - if(!is_null($user)) { - $users[$userId] = $user; - } - } + $users = $this->getVerifiedUsers($userIds); if (!is_null($limit) and $limit <= 0) { return array_values($users); } @@ -244,4 +226,23 @@ class Group { } return $result; } + + /** + * @brief returns all the Users from an array that really exists + * @param $userIds an array containing user IDs + * @return an Array with the userId as Key and \OC\User\User as value + */ + private function getVerifiedUsers($userIds) { + if(!is_array($userIds)) { + return array(); + } + $users = array(); + foreach ($userIds as $userId) { + $user = $this->userManager->get($userId); + if(!is_null($user)) { + $users[$userId] = $user; + } + } + return $users; + } } diff --git a/tests/lib/group/group.php b/tests/lib/group/group.php index 75e975d9e65..f1fda3b9288 100644 --- a/tests/lib/group/group.php +++ b/tests/lib/group/group.php @@ -43,8 +43,8 @@ class Group extends \PHPUnit_Framework_TestCase { $users = $group->getUsers(); $this->assertEquals(2, count($users)); - $user1 = $users[0]; - $user2 = $users[1]; + $user1 = $users['user1']; + $user2 = $users['user2']; $this->assertEquals('user1', $user1->getUID()); $this->assertEquals('user2', $user2->getUID()); } @@ -68,9 +68,9 @@ class Group extends \PHPUnit_Framework_TestCase { $users = $group->getUsers(); $this->assertEquals(3, count($users)); - $user1 = $users[0]; - $user2 = $users[1]; - $user3 = $users[2]; + $user1 = $users['user1']; + $user2 = $users['user2']; + $user3 = $users['user3']; $this->assertEquals('user1', $user1->getUID()); $this->assertEquals('user2', $user2->getUID()); $this->assertEquals('user3', $user3->getUID()); -- GitLab From d1a6d2bc8fce5cefe828f09a77a8b9c9172b5c57 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Mon, 26 Aug 2013 20:21:16 +0200 Subject: [PATCH 336/415] lacy initialization of fileView - in case basic auth is used FileSystem is not yet initialized during the initialize() call --- lib/connector/sabre/quotaplugin.php | 20 ++++++++++++++++---- 1 file changed, 16 insertions(+), 4 deletions(-) diff --git a/lib/connector/sabre/quotaplugin.php b/lib/connector/sabre/quotaplugin.php index c8ce65a8576..ea2cb81d1f7 100644 --- a/lib/connector/sabre/quotaplugin.php +++ b/lib/connector/sabre/quotaplugin.php @@ -40,9 +40,6 @@ class OC_Connector_Sabre_QuotaPlugin extends Sabre_DAV_ServerPlugin { $server->subscribeEvent('beforeWriteContent', array($this, 'checkQuota'), 10); $server->subscribeEvent('beforeCreateFile', array($this, 'checkQuota'), 10); - - // initialize fileView - $this->fileView = \OC\Files\Filesystem::getView(); } /** @@ -59,7 +56,7 @@ class OC_Connector_Sabre_QuotaPlugin extends Sabre_DAV_ServerPlugin { $uri='/'.$uri; } list($parentUri, $newName) = Sabre_DAV_URLUtil::splitPath($uri); - $freeSpace = $this->fileView->free_space($parentUri); + $freeSpace = $this->getFreeSpace($parentUri); if ($freeSpace !== \OC\Files\SPACE_UNKNOWN && $length > $freeSpace) { throw new Sabre_DAV_Exception_InsufficientStorage(); } @@ -82,4 +79,19 @@ class OC_Connector_Sabre_QuotaPlugin extends Sabre_DAV_ServerPlugin { return $length; } + + /** + * @param $parentUri + * @return mixed + */ + public function getFreeSpace($parentUri) + { + if (is_null($this->fileView)) { + // initialize fileView + $this->fileView = \OC\Files\Filesystem::getView(); + } + + $freeSpace = $this->fileView->free_space($parentUri); + return $freeSpace; + } } -- GitLab From 9909b8b726a605b20e163c03614633297095206e Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Tue, 27 Aug 2013 00:26:44 +0200 Subject: [PATCH 337/415] adding translations to update events --- core/ajax/update.php | 25 +++++++++++++------------ 1 file changed, 13 insertions(+), 12 deletions(-) diff --git a/core/ajax/update.php b/core/ajax/update.php index 43ed75b07f1..d6af84e95b1 100644 --- a/core/ajax/update.php +++ b/core/ajax/update.php @@ -4,25 +4,26 @@ $RUNTIME_NOAPPS = true; require_once '../../lib/base.php'; if (OC::checkUpgrade(false)) { + $l = new \OC_L10N('core'); $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', 'maintenanceStart', function () use ($eventSource, $l) { + $eventSource->send('success', (string)$l->t('Turned on maintenance mode')); }); - $updater->listen('\OC\Updater', 'maintenanceEnd', function () use ($eventSource) { - $eventSource->send('success', 'Turned off maintenance mode'); + $updater->listen('\OC\Updater', 'maintenanceEnd', function () use ($eventSource, $l) { + $eventSource->send('success', (string)$l->t('Turned off maintenance mode')); }); - $updater->listen('\OC\Updater', 'dbUpgrade', function () use ($eventSource) { - $eventSource->send('success', 'Updated database'); + $updater->listen('\OC\Updater', 'dbUpgrade', function () use ($eventSource, $l) { + $eventSource->send('success', (string)$l->t('Updated database')); }); - $updater->listen('\OC\Updater', 'filecacheStart', function () use ($eventSource) { - $eventSource->send('success', 'Updating filecache, this may take really long...'); + $updater->listen('\OC\Updater', 'filecacheStart', function () use ($eventSource, $l) { + $eventSource->send('success', (string)$l->t('Updating filecache, this may take really long...')); }); - $updater->listen('\OC\Updater', 'filecacheDone', function () use ($eventSource) { - $eventSource->send('success', 'Updated filecache'); + $updater->listen('\OC\Updater', 'filecacheDone', function () use ($eventSource, $l) { + $eventSource->send('success', (string)$l->t('Updated filecache')); }); - $updater->listen('\OC\Updater', 'filecacheProgress', function ($out) use ($eventSource) { - $eventSource->send('success', '... ' . $out . '% done ...'); + $updater->listen('\OC\Updater', 'filecacheProgress', function ($out) use ($eventSource, $l) { + $eventSource->send('success', (string)$l->t('... %d%% done ...', array('percent' => $out))); }); $updater->listen('\OC\Updater', 'failure', function ($message) use ($eventSource) { $eventSource->send('failure', $message); -- GitLab From 1e4ebf47e26579d6bd0334b4853ee0c960c1b2a6 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Tue, 27 Aug 2013 00:57:28 +0200 Subject: [PATCH 338/415] webdav quota now displays the same values as the web interface does --- lib/connector/sabre/directory.php | 6 +++--- lib/helper.php | 6 +++--- 2 files changed, 6 insertions(+), 6 deletions(-) diff --git a/lib/connector/sabre/directory.php b/lib/connector/sabre/directory.php index ed8d085462d..66cd2fcd4e3 100644 --- a/lib/connector/sabre/directory.php +++ b/lib/connector/sabre/directory.php @@ -233,10 +233,10 @@ class OC_Connector_Sabre_Directory extends OC_Connector_Sabre_Node implements Sa * @return array */ public function getQuotaInfo() { - $rootInfo=\OC\Files\Filesystem::getFileInfo(''); + $storageInfo = OC_Helper::getStorageInfo($this->path); return array( - $rootInfo['size'], - \OC\Files\Filesystem::free_space() + $storageInfo['used'], + $storageInfo['total'] ); } diff --git a/lib/helper.php b/lib/helper.php index c7687d431e1..128786087b8 100644 --- a/lib/helper.php +++ b/lib/helper.php @@ -843,13 +843,13 @@ class OC_Helper { /** * Calculate the disc space */ - public static function getStorageInfo() { - $rootInfo = \OC\Files\Filesystem::getFileInfo('/'); + public static function getStorageInfo($path = '/') { + $rootInfo = \OC\Files\Filesystem::getFileInfo($path); $used = $rootInfo['size']; if ($used < 0) { $used = 0; } - $free = \OC\Files\Filesystem::free_space(); + $free = \OC\Files\Filesystem::free_space($path); if ($free >= 0) { $total = $free + $used; } else { -- GitLab From 8cf9336bcbe527c3d3eb7b348f3a0feff799c1da Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Tue, 27 Aug 2013 00:59:58 +0200 Subject: [PATCH 339/415] storage information is path specific --- apps/files/index.php | 2 +- apps/files/lib/helper.php | 2 +- lib/helper.php | 7 +++++-- settings/personal.php | 2 +- 4 files changed, 8 insertions(+), 5 deletions(-) diff --git a/apps/files/index.php b/apps/files/index.php index 94c792303da..e4d8e353858 100644 --- a/apps/files/index.php +++ b/apps/files/index.php @@ -119,7 +119,7 @@ if ($needUpgrade) { $tmpl->printPage(); } else { // information about storage capacities - $storageInfo=OC_Helper::getStorageInfo(); + $storageInfo=OC_Helper::getStorageInfo($dir); $maxUploadFilesize=OCP\Util::maxUploadFilesize($dir); $publicUploadEnabled = \OC_Appconfig::getValue('core', 'shareapi_allow_public_upload', 'yes'); if (OC_App::isEnabled('files_encryption')) { diff --git a/apps/files/lib/helper.php b/apps/files/lib/helper.php index f2b1f142e9b..7135ef9f656 100644 --- a/apps/files/lib/helper.php +++ b/apps/files/lib/helper.php @@ -11,7 +11,7 @@ class Helper $maxHumanFilesize = $l->t('Upload') . ' max. ' . $maxHumanFilesize; // information about storage capacities - $storageInfo = \OC_Helper::getStorageInfo(); + $storageInfo = \OC_Helper::getStorageInfo($dir); return array('uploadMaxFilesize' => $maxUploadFilesize, 'maxHumanFilesize' => $maxHumanFilesize, diff --git a/lib/helper.php b/lib/helper.php index 128786087b8..dd2476eda5c 100644 --- a/lib/helper.php +++ b/lib/helper.php @@ -841,9 +841,12 @@ class OC_Helper { } /** - * Calculate the disc space + * Calculate the disc space for the given path + * + * @param string $path + * @return array */ - public static function getStorageInfo($path = '/') { + public static function getStorageInfo($path) { $rootInfo = \OC\Files\Filesystem::getFileInfo($path); $used = $rootInfo['size']; if ($used < 0) { diff --git a/settings/personal.php b/settings/personal.php index e69898f6f8f..112eaa3c748 100644 --- a/settings/personal.php +++ b/settings/personal.php @@ -17,7 +17,7 @@ OC_Util::addScript( '3rdparty', 'chosen/chosen.jquery.min' ); OC_Util::addStyle( '3rdparty', 'chosen' ); OC_App::setActiveNavigationEntry( 'personal' ); -$storageInfo=OC_Helper::getStorageInfo(); +$storageInfo=OC_Helper::getStorageInfo('/'); $email=OC_Preferences::getValue(OC_User::getUser(), 'settings', 'email', ''); -- GitLab From c9123263ab5a108dcb0b1b7412367f0d7eaf6595 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Tue, 27 Aug 2013 01:27:05 +0200 Subject: [PATCH 340/415] kill zh_CN.GB2312 --- apps/files/l10n/zh_CN.GB2312.php | 80 --- apps/files_encryption/l10n/zh_CN.GB2312.php | 6 - apps/files_external/l10n/zh_CN.GB2312.php | 28 - apps/files_sharing/l10n/zh_CN.GB2312.php | 19 - apps/files_trashbin/l10n/zh_CN.GB2312.php | 12 - apps/files_versions/l10n/zh_CN.GB2312.php | 10 - apps/user_ldap/l10n/zh_CN.GB2312.php | 31 - core/l10n/zh_CN.GB2312.php | 140 ----- l10n/zh_CN.GB2312/core.po | 622 -------------------- l10n/zh_CN.GB2312/files.po | 347 ----------- l10n/zh_CN.GB2312/files_encryption.po | 176 ------ l10n/zh_CN.GB2312/files_external.po | 124 ---- l10n/zh_CN.GB2312/files_sharing.po | 81 --- l10n/zh_CN.GB2312/files_trashbin.po | 82 --- l10n/zh_CN.GB2312/files_versions.po | 44 -- l10n/zh_CN.GB2312/lib.po | 318 ---------- l10n/zh_CN.GB2312/settings.po | 543 ----------------- l10n/zh_CN.GB2312/user_ldap.po | 406 ------------- l10n/zh_CN.GB2312/user_webdavauth.po | 34 -- lib/l10n/zh_CN.GB2312.php | 32 - lib/updater.php | 4 + settings/l10n/zh_CN.GB2312.php | 118 ---- 22 files changed, 4 insertions(+), 3253 deletions(-) delete mode 100644 apps/files/l10n/zh_CN.GB2312.php delete mode 100644 apps/files_encryption/l10n/zh_CN.GB2312.php delete mode 100644 apps/files_external/l10n/zh_CN.GB2312.php delete mode 100644 apps/files_sharing/l10n/zh_CN.GB2312.php delete mode 100644 apps/files_trashbin/l10n/zh_CN.GB2312.php delete mode 100644 apps/files_versions/l10n/zh_CN.GB2312.php delete mode 100644 apps/user_ldap/l10n/zh_CN.GB2312.php delete mode 100644 core/l10n/zh_CN.GB2312.php delete mode 100644 l10n/zh_CN.GB2312/core.po delete mode 100644 l10n/zh_CN.GB2312/files.po delete mode 100644 l10n/zh_CN.GB2312/files_encryption.po delete mode 100644 l10n/zh_CN.GB2312/files_external.po delete mode 100644 l10n/zh_CN.GB2312/files_sharing.po delete mode 100644 l10n/zh_CN.GB2312/files_trashbin.po delete mode 100644 l10n/zh_CN.GB2312/files_versions.po delete mode 100644 l10n/zh_CN.GB2312/lib.po delete mode 100644 l10n/zh_CN.GB2312/settings.po delete mode 100644 l10n/zh_CN.GB2312/user_ldap.po delete mode 100644 l10n/zh_CN.GB2312/user_webdavauth.po delete mode 100644 lib/l10n/zh_CN.GB2312.php delete mode 100644 settings/l10n/zh_CN.GB2312.php diff --git a/apps/files/l10n/zh_CN.GB2312.php b/apps/files/l10n/zh_CN.GB2312.php deleted file mode 100644 index d031a1e5a55..00000000000 --- a/apps/files/l10n/zh_CN.GB2312.php +++ /dev/null @@ -1,80 +0,0 @@ - "无法移动 %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" => "永久删除", -"Rename" => "重命名", -"Pending" => "等待中", -"{new_name} already exists" => "{new_name} 已存在", -"replace" => "替换", -"suggest name" => "推荐名称", -"cancel" => "取消", -"replaced {new_name} with {old_name}" => "已用 {old_name} 替换 {new_name}", -"undo" => "撤销", -"_Uploading %n file_::_Uploading %n files_" => array("正在上传 %n 个文件"), -"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" => "修改日期", -"_%n folder_::_%n folders_" => array("%n 个文件夹"), -"_%n file_::_%n files_" => array("%n 个文件"), -"%s could not be renamed" => "不能重命名 %s", -"Upload" => "上传", -"File handling" => "文件处理中", -"Maximum upload size" => "最大上传大小", -"max. possible: " => "最大可能", -"Needed for multi-file and folder downloads." => "需要多文件和文件夹下载.", -"Enable ZIP-download" => "支持ZIP下载", -"0 is unlimited" => "0是无限的", -"Maximum input size for ZIP files" => "最大的ZIP文件输入大小", -"Save" => "保存", -"New" => "新建", -"Text file" => "文本文档", -"Folder" => "文件夹", -"From link" => "来自链接", -"Deleted files" => "已删除的文件", -"Cancel upload" => "取消上传", -"You don’t have write permissions here." => "您没有写入权限。", -"Nothing in here. Upload something!" => "这里没有东西.上传点什么!", -"Download" => "下载", -"Unshare" => "取消分享", -"Delete" => "删除", -"Upload too large" => "上传过大", -"The files you are trying to upload exceed the maximum size for file uploads on this server." => "你正在试图上传的文件超过了此服务器支持的最大的文件大小.", -"Files are being scanned, please wait." => "正在扫描文件,请稍候.", -"Current scanning" => "正在扫描", -"directory" => "文件夹", -"directories" => "文件夹", -"file" => "文件", -"files" => "文件", -"Upgrading filesystem cache..." => "升级系统缓存..." -); -$PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/apps/files_encryption/l10n/zh_CN.GB2312.php b/apps/files_encryption/l10n/zh_CN.GB2312.php deleted file mode 100644 index 0f9f459c771..00000000000 --- a/apps/files_encryption/l10n/zh_CN.GB2312.php +++ /dev/null @@ -1,6 +0,0 @@ - "保存中...", -"Encryption" => "加密" -); -$PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/apps/files_external/l10n/zh_CN.GB2312.php b/apps/files_external/l10n/zh_CN.GB2312.php deleted file mode 100644 index 3633de6314e..00000000000 --- a/apps/files_external/l10n/zh_CN.GB2312.php +++ /dev/null @@ -1,28 +0,0 @@ - "已授予权限", -"Error configuring Dropbox storage" => "配置 Dropbox 存储出错", -"Grant access" => "授予权限", -"Please provide a valid Dropbox app key and secret." => "请提供一个有效的 Dropbox app key 和 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." => "注意:“SMB客户端”未安装。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." => "注意:PHP的FTP支持尚未启用或未安装。FTP分享不可用。请向您的系统管理员请求安装。", -"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." => "警告: PHP 的 Curl 支持没有安装或打开。挂载 ownCloud、WebDAV 或 Google Drive 的功能将不可用。请询问您的系统管理员去安装它。", -"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" => "允许用户挂载他们的外部存储", -"SSL root certificates" => "SSL 根证书", -"Import Root Certificate" => "导入根证书" -); -$PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/apps/files_sharing/l10n/zh_CN.GB2312.php b/apps/files_sharing/l10n/zh_CN.GB2312.php deleted file mode 100644 index 5c426672c88..00000000000 --- a/apps/files_sharing/l10n/zh_CN.GB2312.php +++ /dev/null @@ -1,19 +0,0 @@ - "密码错误。请重试。", -"Password" => "密码", -"Submit" => "提交", -"Sorry, this link doesn’t seem to work anymore." => "对不起,这个链接看起来是错误的。", -"Reasons might be:" => "原因可能是:", -"the item was removed" => "项目已经移除", -"the link expired" => "链接已过期", -"sharing is disabled" => "分享已经被禁用", -"For more info, please ask the person who sent this link." => "欲了解更多信息,请联系将此链接发送给你的人。", -"%s shared the folder %s with you" => "%s 与您分享了文件夹 %s", -"%s shared the file %s with you" => "%s 与您分享了文件 %s", -"Download" => "下载", -"Upload" => "上传", -"Cancel upload" => "取消上传", -"No preview available for" => "没有预览可用于" -); -$PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/apps/files_trashbin/l10n/zh_CN.GB2312.php b/apps/files_trashbin/l10n/zh_CN.GB2312.php deleted file mode 100644 index eaa97bb1b6f..00000000000 --- a/apps/files_trashbin/l10n/zh_CN.GB2312.php +++ /dev/null @@ -1,12 +0,0 @@ - "出错", -"Delete permanently" => "永久删除", -"Name" => "名称", -"_%n folder_::_%n folders_" => array("%n 个文件夹"), -"_%n file_::_%n files_" => array("%n 个文件"), -"Restore" => "恢复", -"Delete" => "删除", -"Deleted Files" => "删除的文件" -); -$PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/apps/files_versions/l10n/zh_CN.GB2312.php b/apps/files_versions/l10n/zh_CN.GB2312.php deleted file mode 100644 index de340d6dc94..00000000000 --- a/apps/files_versions/l10n/zh_CN.GB2312.php +++ /dev/null @@ -1,10 +0,0 @@ - "无法恢复:%s", -"Versions" => "版本", -"Failed to revert {file} to revision {timestamp}." => "无法恢复文件 {file} 到 版本 {timestamp}。", -"More versions..." => "更多版本", -"No other versions available" => "没有其他可用版本", -"Restore" => "恢复" -); -$PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/apps/user_ldap/l10n/zh_CN.GB2312.php b/apps/user_ldap/l10n/zh_CN.GB2312.php deleted file mode 100644 index 306b84a588e..00000000000 --- a/apps/user_ldap/l10n/zh_CN.GB2312.php +++ /dev/null @@ -1,31 +0,0 @@ - "删除失败", -"Success" => "成功", -"Error" => "出错", -"Host" => "主机", -"You can omit the protocol, except you require SSL. Then start with ldaps://" => "您可以忽略协议,除非您需要 SSL。然后用 ldaps:// 开头", -"Base DN" => "基本判别名", -"You can specify Base DN for users and groups in the Advanced tab" => "您可以在高级选项卡中为用户和群组指定基本判别名", -"User 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." => "客户机用户的判别名,将用于绑定,例如 uid=agent, dc=example, dc=com。匿名访问请留空判别名和密码。", -"Password" => "密码", -"For anonymous access, leave DN and Password empty." => "匿名访问请留空判别名和密码。", -"User Login Filter" => "用户登录过滤器", -"User List Filter" => "用户列表过滤器", -"Group Filter" => "群组过滤器", -"Port" => "端口", -"Use TLS" => "使用 TLS", -"Case insensitve LDAP server (Windows)" => "大小写不敏感的 LDAP 服务器 (Windows)", -"Turn off SSL certificate validation." => "关闭 SSL 证书校验。", -"in seconds. A change empties the cache." => "以秒计。修改会清空缓存。", -"User Display Name Field" => "用户显示名称字段", -"Base User Tree" => "基本用户树", -"Group Display Name Field" => "群组显示名称字段", -"Base Group Tree" => "基本群组树", -"Group-Member association" => "群组-成员组合", -"in bytes" => "以字节计", -"Leave empty for user name (default). Otherwise, specify an LDAP/AD attribute." => "用户名请留空 (默认)。否则,请指定一个 LDAP/AD 属性。", -"Help" => "帮助" -); -$PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/core/l10n/zh_CN.GB2312.php b/core/l10n/zh_CN.GB2312.php deleted file mode 100644 index 92f1aef8850..00000000000 --- a/core/l10n/zh_CN.GB2312.php +++ /dev/null @@ -1,140 +0,0 @@ - "%s 与您共享了 »%s« ", -"Category type not provided." => "未选择分类类型。", -"No category to add?" => "没有分类添加了?", -"This category already exists: %s" => "此分类已存在:%s", -"Object type not provided." => "未选择对象类型。", -"%s ID not provided." => "%s 没有提供 ID", -"Error adding %s to favorites." => "在添加 %s 到收藏夹时发生错误。", -"No categories selected for deletion." => "没有选中要删除的分类。", -"Error removing %s from favorites." => "在移除收藏夹中的 %s 时发生错误。", -"Sunday" => "星期天", -"Monday" => "星期一", -"Tuesday" => "星期二", -"Wednesday" => "星期三", -"Thursday" => "星期四", -"Friday" => "星期五", -"Saturday" => "星期六", -"January" => "一月", -"February" => "二月", -"March" => "三月", -"April" => "四月", -"May" => "五月", -"June" => "六月", -"July" => "七月", -"August" => "八月", -"September" => "九月", -"October" => "十月", -"November" => "十一月", -"December" => "十二月", -"Settings" => "设置", -"seconds ago" => "秒前", -"_%n minute ago_::_%n minutes ago_" => array("%n 分钟以前"), -"_%n hour ago_::_%n hours ago_" => array("%n 小时以前"), -"today" => "今天", -"yesterday" => "昨天", -"_%n day ago_::_%n days ago_" => array("%n 天以前"), -"last month" => "上个月", -"_%n month ago_::_%n months ago_" => array("%n 个月以前"), -"months ago" => "月前", -"last year" => "去年", -"years ago" => "年前", -"Choose" => "选择", -"Error loading file picker template" => "加载文件选取模板出错", -"Yes" => "是", -"No" => "否", -"Ok" => "好的", -"The object type is not specified." => "未指定对象类型。", -"Error" => "出错", -"The app name is not specified." => "未指定应用名称。", -"The required file {file} is not installed!" => "未安装所需要的文件 {file} !", -"Shared" => "已分享", -"Share" => "分享", -"Error while sharing" => "分享出错", -"Error while unsharing" => "取消分享出错", -"Error while changing permissions" => "变更权限出错", -"Shared with you and the group {group} by {owner}" => "由 {owner} 与您和 {group} 群组分享", -"Shared with you by {owner}" => "由 {owner} 与您分享", -"Share with" => "分享", -"Share with link" => "分享链接", -"Password protect" => "密码保护", -"Password" => "密码", -"Allow Public Upload" => "允许公众上传", -"Email link to person" => "面向个人的电子邮件链接", -"Send" => "发送", -"Set expiration date" => "设置失效日期", -"Expiration date" => "失效日期", -"Share via email:" => "通过电子邮件分享:", -"No people found" => "查无此人", -"Resharing is not allowed" => "不允许重复分享", -"Shared in {item} with {user}" => "已经与 {user} 在 {item} 中分享", -"Unshare" => "取消分享", -"can edit" => "可编辑", -"access control" => "访问控制", -"create" => "创建", -"update" => "更新", -"delete" => "删除", -"share" => "分享", -"Password protected" => "密码保护", -"Error unsetting expiration date" => "取消设置失效日期出错", -"Error setting expiration date" => "设置失效日期出错", -"Sending ..." => "发送中……", -"Email sent" => "电子邮件已发送", -"The update was unsuccessful. Please report this issue to the ownCloud community." => "升级失败。请向ownCloud社区报告此问题。", -"The update was successful. Redirecting you to ownCloud now." => "升级成功。现在为您跳转到ownCloud。", -"%s password reset" => "%s 密码重置", -"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 ." => "重置密码的连接已经通过邮件到您的邮箱。
    如果你没有收到邮件,可能是由于要再等一下,或者检查一下您的垃圾邮件夹。
    如果还是没有收到,请联系您的系统管理员。", -"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" => "转至登陆页面", -"New password" => "新密码", -"Reset password" => "重置密码", -"Personal" => "私人", -"Users" => "用户", -"Apps" => "程序", -"Admin" => "管理员", -"Help" => "帮助", -"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祝顺利!", -"Edit categories" => "编辑分类", -"Add" => "添加", -"Security Warning" => "安全警告", -"Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "您的PHP版本是会受到NULL字节漏洞攻击的(CVE-2006-7243)", -"Please update your PHP installation to use %s securely." => "请安全地升级您的PHP版本到 %s 。", -"No secure random number generator is available, please enable the PHP OpenSSL extension." => "没有安全随机码生成器,请启用 PHP OpenSSL 扩展。", -"Without a secure random number generator an attacker may be able to predict password reset tokens and take over your account." => "没有安全随机码生成器,黑客可以预测密码重置令牌并接管你的账户。", -"Your data directory and files are probably accessible from the internet because the .htaccess file does not work." => "因为.htaccess文件无效,您的数据文件夹及文件可能可以在互联网上访问。", -"For information how to properly configure your server, please see the documentation." => "有关如何正确地配置您的服务器,请查看 文档。", -"Create an admin account" => "建立一个 管理帐户", -"Advanced" => "进阶", -"Data folder" => "数据存放文件夹", -"Configure the database" => "配置数据库", -"will be used" => "将会使用", -"Database user" => "数据库用户", -"Database password" => "数据库密码", -"Database name" => "数据库用户名", -"Database tablespace" => "数据库表格空间", -"Database host" => "数据库主机", -"Finish setup" => "完成安装", -"%s is available. Get more information on how to update." => "%s 是可用的。获取更多关于升级的信息。", -"Log out" => "注销", -"More apps" => "更多应用", -"Automatic logon rejected!" => "自动登录被拒绝!", -"If you did not change your password recently, your account may be compromised!" => "如果您最近没有修改您的密码,那您的帐号可能被攻击了!", -"Please change your password to secure your account again." => "请修改您的密码以保护账户。", -"Lost your password?" => "忘记密码?", -"remember" => "记住登录", -"Log in" => "登陆", -"Alternative Logins" => "备选登录", -"Hey there,

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

    Cheers!" => "你好!

    温馨提示: %s 与您共享了 %s 。

    \n查看: %s

    祝顺利!", -"Updating ownCloud to version %s, this may take a while." => "ownCloud正在升级至 %s 版,这可能需要一点时间。" -); -$PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/l10n/zh_CN.GB2312/core.po b/l10n/zh_CN.GB2312/core.po deleted file mode 100644 index 21e175e4ff6..00000000000 --- a/l10n/zh_CN.GB2312/core.po +++ /dev/null @@ -1,622 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# -# Translators: -# aivier , 2013 -# fkj , 2013 -# Martin Liu , 2013 -# hyy0591 , 2013 -msgid "" -msgstr "" -"Project-Id-Version: ownCloud\n" -"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+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" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: zh_CN.GB2312\n" -"Plural-Forms: nplurals=1; plural=0;\n" - -#: ajax/share.php:97 -#, php-format -msgid "%s shared »%s« with you" -msgstr "%s 与您共享了 »%s« " - -#: 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 "此分类已存在:%s" - -#: 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 "%s 没有提供 ID" - -#: ajax/vcategories/addToFavorites.php:35 -#, php-format -msgid "Error adding %s to favorites." -msgstr "在添加 %s 到收藏夹时发生错误。" - -#: 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 "在移除收藏夹中的 %s 时发生错误。" - -#: 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:355 -msgid "Settings" -msgstr "设置" - -#: js/js.js:812 -msgid "seconds ago" -msgstr "秒前" - -#: js/js.js:813 -msgid "%n minute ago" -msgid_plural "%n minutes ago" -msgstr[0] "%n 分钟以前" - -#: js/js.js:814 -msgid "%n hour ago" -msgid_plural "%n hours ago" -msgstr[0] "%n 小时以前" - -#: js/js.js:815 -msgid "today" -msgstr "今天" - -#: js/js.js:816 -msgid "yesterday" -msgstr "昨天" - -#: js/js.js:817 -msgid "%n day ago" -msgid_plural "%n days ago" -msgstr[0] "%n 天以前" - -#: js/js.js:818 -msgid "last month" -msgstr "上个月" - -#: js/js.js:819 -msgid "%n month ago" -msgid_plural "%n months ago" -msgstr[0] "%n 个月以前" - -#: js/js.js:820 -msgid "months ago" -msgstr "月前" - -#: js/js.js:821 -msgid "last year" -msgstr "去年" - -#: js/js.js:822 -msgid "years ago" -msgstr "年前" - -#: js/oc-dialogs.js:117 -msgid "Choose" -msgstr "选择" - -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 -msgid "Error loading file picker template" -msgstr "加载文件选取模板出错" - -#: js/oc-dialogs.js:160 -msgid "Yes" -msgstr "是" - -#: js/oc-dialogs.js:168 -msgid "No" -msgstr "否" - -#: js/oc-dialogs.js:181 -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:129 js/share.js:142 js/share.js:149 -#: js/share.js:643 js/share.js:655 -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 "未安装所需要的文件 {file} !" - -#: 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:131 js/share.js:683 -msgid "Error while sharing" -msgstr "分享出错" - -#: js/share.js:142 -msgid "Error while unsharing" -msgstr "取消分享出错" - -#: js/share.js:149 -msgid "Error while changing permissions" -msgstr "变更权限出错" - -#: js/share.js:158 -msgid "Shared with you and the group {group} by {owner}" -msgstr "由 {owner} 与您和 {group} 群组分享" - -#: js/share.js:160 -msgid "Shared with you by {owner}" -msgstr "由 {owner} 与您分享" - -#: js/share.js:183 -msgid "Share with" -msgstr "分享" - -#: js/share.js:188 -msgid "Share with link" -msgstr "分享链接" - -#: js/share.js:191 -msgid "Password protect" -msgstr "密码保护" - -#: js/share.js:193 templates/installation.php:57 templates/login.php:26 -msgid "Password" -msgstr "密码" - -#: js/share.js:198 -msgid "Allow Public Upload" -msgstr "允许公众上传" - -#: js/share.js:202 -msgid "Email link to person" -msgstr "面向个人的电子邮件链接" - -#: js/share.js:203 -msgid "Send" -msgstr "发送" - -#: js/share.js:208 -msgid "Set expiration date" -msgstr "设置失效日期" - -#: js/share.js:209 -msgid "Expiration date" -msgstr "失效日期" - -#: js/share.js:241 -msgid "Share via email:" -msgstr "通过电子邮件分享:" - -#: js/share.js:243 -msgid "No people found" -msgstr "查无此人" - -#: js/share.js:281 -msgid "Resharing is not allowed" -msgstr "不允许重复分享" - -#: js/share.js:317 -msgid "Shared in {item} with {user}" -msgstr "已经与 {user} 在 {item} 中分享" - -#: js/share.js:338 -msgid "Unshare" -msgstr "取消分享" - -#: js/share.js:350 -msgid "can edit" -msgstr "可编辑" - -#: js/share.js:352 -msgid "access control" -msgstr "访问控制" - -#: js/share.js:355 -msgid "create" -msgstr "创建" - -#: js/share.js:358 -msgid "update" -msgstr "更新" - -#: js/share.js:361 -msgid "delete" -msgstr "删除" - -#: js/share.js:364 -msgid "share" -msgstr "分享" - -#: js/share.js:398 js/share.js:630 -msgid "Password protected" -msgstr "密码保护" - -#: js/share.js:643 -msgid "Error unsetting expiration date" -msgstr "取消设置失效日期出错" - -#: js/share.js:655 -msgid "Error setting expiration date" -msgstr "设置失效日期出错" - -#: js/share.js:670 -msgid "Sending ..." -msgstr "发送中……" - -#: js/share.js:681 -msgid "Email sent" -msgstr "电子邮件已发送" - -#: js/update.js:17 -msgid "" -"The update was unsuccessful. Please report this issue to the ownCloud " -"community." -msgstr "升级失败。请向ownCloud社区报告此问题。" - -#: js/update.js:21 -msgid "The update was successful. Redirecting you to ownCloud now." -msgstr "升级成功。现在为您跳转到ownCloud。" - -#: lostpassword/controller.php:61 -#, php-format -msgid "%s password reset" -msgstr "%s 密码重置" - -#: lostpassword/templates/email.php:2 -msgid "Use the following link to reset your password: {link}" -msgstr "使用下面的链接来重置你的密码:{link}" - -#: 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:51 -#: 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:15 -msgid "Cloud not found" -msgstr "云 没有被找到" - -#: templates/altmail.php:2 -#, 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 "你好!⏎\n⏎\n温馨提示: %s 与您共享了 %s 。⏎\n查看: %s⏎\n⏎\n祝顺利!" - -#: 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 "您的PHP版本是会受到NULL字节漏洞攻击的(CVE-2006-7243)" - -#: templates/installation.php:26 -#, php-format -msgid "Please update your PHP installation to use %s securely." -msgstr "请安全地升级您的PHP版本到 %s 。" - -#: templates/installation.php:32 -msgid "" -"No secure random number generator is available, please enable the PHP " -"OpenSSL extension." -msgstr "没有安全随机码生成器,请启用 PHP OpenSSL 扩展。" - -#: 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 "因为.htaccess文件无效,您的数据文件夹及文件可能可以在互联网上访问。" - -#: templates/installation.php:41 -#, php-format -msgid "" -"For information how to properly configure your server, please see the documentation." -msgstr "有关如何正确地配置您的服务器,请查看 文档。" - -#: templates/installation.php:47 -msgid "Create an admin account" -msgstr "建立一个 管理帐户" - -#: templates/installation.php:65 -msgid "Advanced" -msgstr "进阶" - -#: templates/installation.php:67 -msgid "Data folder" -msgstr "数据存放文件夹" - -#: templates/installation.php:77 -msgid "Configure the database" -msgstr "配置数据库" - -#: templates/installation.php:82 templates/installation.php:94 -#: templates/installation.php:105 templates/installation.php:116 -#: templates/installation.php:128 -msgid "will be used" -msgstr "将会使用" - -#: templates/installation.php:140 -msgid "Database user" -msgstr "数据库用户" - -#: templates/installation.php:147 -msgid "Database password" -msgstr "数据库密码" - -#: templates/installation.php:152 -msgid "Database name" -msgstr "数据库用户名" - -#: templates/installation.php:160 -msgid "Database tablespace" -msgstr "数据库表格空间" - -#: templates/installation.php:167 -msgid "Database host" -msgstr "数据库主机" - -#: templates/installation.php:175 -msgid "Finish setup" -msgstr "完成安装" - -#: templates/layout.user.php:41 -#, php-format -msgid "%s is available. Get more information on how to update." -msgstr "%s 是可用的。获取更多关于升级的信息。" - -#: templates/layout.user.php:66 -msgid "Log out" -msgstr "注销" - -#: templates/layout.user.php:100 -msgid "More apps" -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:15 -#, php-format -msgid "" -"Hey there,

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

    Cheers!" -msgstr "你好!

    温馨提示: %s 与您共享了 %s 。

    \n查看: %s

    祝顺利!" - -#: templates/update.php:3 -#, php-format -msgid "Updating ownCloud to version %s, this may take a while." -msgstr "ownCloud正在升级至 %s 版,这可能需要一点时间。" diff --git a/l10n/zh_CN.GB2312/files.po b/l10n/zh_CN.GB2312/files.po deleted file mode 100644 index b7c7892b60b..00000000000 --- a/l10n/zh_CN.GB2312/files.po +++ /dev/null @@ -1,347 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# -# Translators: -# aivier , 2013 -# hlx98007 , 2013 -msgid "" -msgstr "" -"Project-Id-Version: ownCloud\n" -"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+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" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: zh_CN.GB2312\n" -"Plural-Forms: nplurals=1; plural=0;\n" - -#: ajax/move.php:17 -#, php-format -msgid "Could not move %s - File with this name already exists" -msgstr "无法移动 %s - 存在同名文件" - -#: ajax/move.php:27 ajax/move.php:30 -#, php-format -msgid "Could not move %s" -msgstr "无法移动 %s" - -#: ajax/upload.php:16 ajax/upload.php:45 -msgid "Unable to set upload directory." -msgstr "无法设置上传文件夹" - -#: ajax/upload.php:22 -msgid "Invalid Token" -msgstr "非法Token" - -#: 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 "上传的文件超过了php.ini指定的upload_max_filesize" - -#: 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: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:280 -msgid "" -"File upload is in progress. Leaving the page now will cancel the upload." -msgstr "文件正在上传。关闭页面会取消上传。" - -#: js/file-upload.js:233 js/files.js:353 -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 "无效文件夹名。“Shared”已经被系统保留。" - -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 -msgid "Error" -msgstr "出错" - -#: js/fileactions.js:116 -msgid "Share" -msgstr "分享" - -#: js/fileactions.js:126 -msgid "Delete permanently" -msgstr "永久删除" - -#: js/fileactions.js:192 -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 "{new_name} 已存在" - -#: 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 "已用 {old_name} 替换 {new_name}" - -#: js/filelist.js:350 -msgid "undo" -msgstr "撤销" - -#: js/filelist.js:453 -msgid "Uploading %n file" -msgid_plural "Uploading %n files" -msgstr[0] "正在上传 %n 个文件" - -#: 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 "你的空间快用满了 ({usedSpacePercent}%)" - -#: js/files.js:94 -msgid "" -"Encryption was disabled but your files are still encrypted. Please go to " -"your personal settings to decrypt your files." -msgstr "" - -#: js/files.js:245 -msgid "" -"Your download is being prepared. This might take some time if the files are " -"big." -msgstr "正在下载,可能会花点时间,跟文件大小有关" - -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "不正确文件夹名。Shared是保留名,不能使用。" - -#: js/files.js:760 templates/index.php:67 -msgid "Name" -msgstr "名称" - -#: js/files.js:761 templates/index.php:78 -msgid "Size" -msgstr "大小" - -#: js/files.js:762 templates/index.php:80 -msgid "Modified" -msgstr "修改日期" - -#: js/files.js:778 -msgid "%n folder" -msgid_plural "%n folders" -msgstr[0] "%n 个文件夹" - -#: js/files.js:784 -msgid "%n file" -msgid_plural "%n files" -msgstr[0] "%n 个文件" - -#: lib/app.php:73 -#, php-format -msgid "%s could not be renamed" -msgstr "不能重命名 %s" - -#: 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 "支持ZIP下载" - -#: templates/admin.php:20 -msgid "0 is unlimited" -msgstr "0是无限的" - -#: templates/admin.php:22 -msgid "Maximum input size for ZIP files" -msgstr "最大的ZIP文件输入大小" - -#: 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:41 -msgid "Deleted files" -msgstr "已删除的文件" - -#: templates/index.php:46 -msgid "Cancel upload" -msgstr "取消上传" - -#: templates/index.php:52 -msgid "You don’t have write permissions here." -msgstr "您没有写入权限。" - -#: templates/index.php:59 -msgid "Nothing in here. Upload something!" -msgstr "这里没有东西.上传点什么!" - -#: templates/index.php:73 -msgid "Download" -msgstr "下载" - -#: templates/index.php:85 templates/index.php:86 -msgid "Unshare" -msgstr "取消分享" - -#: templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "删除" - -#: templates/index.php:105 -msgid "Upload too large" -msgstr "上传过大" - -#: templates/index.php:107 -msgid "" -"The files you are trying to upload exceed the maximum size for file uploads " -"on this server." -msgstr "你正在试图上传的文件超过了此服务器支持的最大的文件大小." - -#: templates/index.php:112 -msgid "Files are being scanned, please wait." -msgstr "正在扫描文件,请稍候." - -#: templates/index.php:115 -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/zh_CN.GB2312/files_encryption.po b/l10n/zh_CN.GB2312/files_encryption.po deleted file mode 100644 index 5d2f51942f6..00000000000 --- a/l10n/zh_CN.GB2312/files_encryption.po +++ /dev/null @@ -1,176 +0,0 @@ -# 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-08-21 08:10-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+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" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: zh_CN.GB2312\n" -"Plural-Forms: nplurals=1; plural=0;\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:41 -msgid "Missing requirements." -msgstr "" - -#: hooks/hooks.php:42 -msgid "" -"Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " -"together with the PHP extension is enabled and configured properly. For now," -" the encryption app has been disabled." -msgstr "" - -#: hooks/hooks.php:249 -msgid "Following users are not set up for encryption:" -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/zh_CN.GB2312/files_external.po b/l10n/zh_CN.GB2312/files_external.po deleted file mode 100644 index b9c2d6f3ae6..00000000000 --- a/l10n/zh_CN.GB2312/files_external.po +++ /dev/null @@ -1,124 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# -# Translators: -# hyy0591 , 2013 -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: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" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: zh_CN.GB2312\n" -"Plural-Forms: nplurals=1; plural=0;\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 "配置 Dropbox 存储出错" - -#: 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 "请提供一个有效的 Dropbox app key 和 secret。" - -#: js/google.js:36 js/google.js:93 -msgid "Error configuring Google Drive storage" -msgstr "配置 Google Drive 存储失败" - -#: 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: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: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 "警告: PHP 的 Curl 支持没有安装或打开。挂载 ownCloud、WebDAV 或 Google Drive 的功能将不可用。请询问您的系统管理员去安装它。" - -#: 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 "SSL 根证书" - -#: templates/settings.php:159 -msgid "Import Root Certificate" -msgstr "导入根证书" diff --git a/l10n/zh_CN.GB2312/files_sharing.po b/l10n/zh_CN.GB2312/files_sharing.po deleted file mode 100644 index 72a289d0209..00000000000 --- a/l10n/zh_CN.GB2312/files_sharing.po +++ /dev/null @@ -1,81 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# -# Translators: -# aivier , 2013 -msgid "" -msgstr "" -"Project-Id-Version: ownCloud\n" -"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 18:23+0000\n" -"Last-Translator: aivier \n" -"Language-Team: Chinese (China) (GB2312) (http://www.transifex.com/projects/p/owncloud/language/zh_CN.GB2312/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: zh_CN.GB2312\n" -"Plural-Forms: nplurals=1; plural=0;\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/part.404.php:3 -msgid "Sorry, this link doesn’t seem to work anymore." -msgstr "对不起,这个链接看起来是错误的。" - -#: templates/part.404.php:4 -msgid "Reasons might be:" -msgstr "原因可能是:" - -#: templates/part.404.php:6 -msgid "the item was removed" -msgstr "项目已经移除" - -#: templates/part.404.php:7 -msgid "the link expired" -msgstr "链接已过期" - -#: templates/part.404.php:8 -msgid "sharing is disabled" -msgstr "分享已经被禁用" - -#: templates/part.404.php:10 -msgid "For more info, please ask the person who sent this link." -msgstr "欲了解更多信息,请联系将此链接发送给你的人。" - -#: templates/public.php:15 -#, php-format -msgid "%s shared the folder %s with you" -msgstr "%s 与您分享了文件夹 %s" - -#: templates/public.php:18 -#, php-format -msgid "%s shared the file %s with you" -msgstr "%s 与您分享了文件 %s" - -#: templates/public.php:26 templates/public.php:88 -msgid "Download" -msgstr "下载" - -#: templates/public.php:43 templates/public.php:46 -msgid "Upload" -msgstr "上传" - -#: templates/public.php:56 -msgid "Cancel upload" -msgstr "取消上传" - -#: templates/public.php:85 -msgid "No preview available for" -msgstr "没有预览可用于" diff --git a/l10n/zh_CN.GB2312/files_trashbin.po b/l10n/zh_CN.GB2312/files_trashbin.po deleted file mode 100644 index cef04c5439f..00000000000 --- a/l10n/zh_CN.GB2312/files_trashbin.po +++ /dev/null @@ -1,82 +0,0 @@ -# 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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-15 10:40+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" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: zh_CN.GB2312\n" -"Plural-Forms: nplurals=1; plural=0;\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:100 -msgid "perform restore operation" -msgstr "" - -#: js/trash.js:20 js/trash.js:48 js/trash.js:118 js/trash.js:146 -msgid "Error" -msgstr "出错" - -#: js/trash.js:36 -msgid "delete file permanently" -msgstr "" - -#: js/trash.js:127 -msgid "Delete permanently" -msgstr "永久删除" - -#: js/trash.js:182 templates/index.php:17 -msgid "Name" -msgstr "名称" - -#: js/trash.js:183 templates/index.php:27 -msgid "Deleted" -msgstr "" - -#: js/trash.js:191 -msgid "%n folder" -msgid_plural "%n folders" -msgstr[0] "%n 个文件夹" - -#: js/trash.js:197 -msgid "%n file" -msgid_plural "%n files" -msgstr[0] "%n 个文件" - -#: lib/trash.php:819 lib/trash.php:821 -msgid "restored" -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/zh_CN.GB2312/files_versions.po b/l10n/zh_CN.GB2312/files_versions.po deleted file mode 100644 index faa83e8fc6c..00000000000 --- a/l10n/zh_CN.GB2312/files_versions.po +++ /dev/null @@ -1,44 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# -# Translators: -# aivier , 2013 -msgid "" -msgstr "" -"Project-Id-Version: ownCloud\n" -"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-15 11:00+0000\n" -"Last-Translator: aivier \n" -"Language-Team: Chinese (China) (GB2312) (http://www.transifex.com/projects/p/owncloud/language/zh_CN.GB2312/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: zh_CN.GB2312\n" -"Plural-Forms: nplurals=1; plural=0;\n" - -#: ajax/rollbackVersion.php:13 -#, php-format -msgid "Could not revert: %s" -msgstr "无法恢复:%s" - -#: js/versions.js:7 -msgid "Versions" -msgstr "版本" - -#: js/versions.js:53 -msgid "Failed to revert {file} to revision {timestamp}." -msgstr "无法恢复文件 {file} 到 版本 {timestamp}。" - -#: js/versions.js:79 -msgid "More versions..." -msgstr "更多版本" - -#: js/versions.js:116 -msgid "No other versions available" -msgstr "没有其他可用版本" - -#: js/versions.js:149 -msgid "Restore" -msgstr "恢复" diff --git a/l10n/zh_CN.GB2312/lib.po b/l10n/zh_CN.GB2312/lib.po deleted file mode 100644 index 26675677bdd..00000000000 --- a/l10n/zh_CN.GB2312/lib.po +++ /dev/null @@ -1,318 +0,0 @@ -# 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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+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" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: zh_CN.GB2312\n" -"Plural-Forms: nplurals=1; plural=0;\n" - -#: app.php:239 -#, php-format -msgid "" -"App \"%s\" can't be installed because it is not compatible with this version" -" of ownCloud." -msgstr "" - -#: app.php:250 -msgid "No app name specified" -msgstr "" - -#: app.php:361 -msgid "Help" -msgstr "帮助" - -#: app.php:374 -msgid "Personal" -msgstr "私人" - -#: app.php:385 -msgid "Settings" -msgstr "设置" - -#: app.php:397 -msgid "Users" -msgstr "用户" - -#: app.php:410 -msgid "Admin" -msgstr "管理员" - -#: app.php:837 -#, php-format -msgid "Failed to upgrade \"%s\"." -msgstr "" - -#: defaults.php:35 -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: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 "选择的文件太大而不能生成 zip 文件。" - -#: files.php:254 -msgid "" -"Download the files in smaller chunks, seperately or kindly ask your " -"administrator." -msgstr "" - -#: installer.php:63 -msgid "No source specified when installing app" -msgstr "" - -#: installer.php:70 -msgid "No href specified when installing app from http" -msgstr "" - -#: installer.php:75 -msgid "No path specified when installing app from local file" -msgstr "" - -#: installer.php:89 -#, php-format -msgid "Archives of type %s are not supported" -msgstr "" - -#: installer.php:103 -msgid "Failed to open archive when installing app" -msgstr "" - -#: installer.php:123 -msgid "App does not provide an info.xml file" -msgstr "" - -#: installer.php:129 -msgid "App can't be installed because of not allowed code in the App" -msgstr "" - -#: installer.php:138 -msgid "" -"App can't be installed because it is not compatible with this version of " -"ownCloud" -msgstr "" - -#: installer.php:144 -msgid "" -"App can't be installed because it contains the true tag " -"which is not allowed for non shipped apps" -msgstr "" - -#: installer.php:150 -msgid "" -"App can't be installed because the version in info.xml/version is not the " -"same as the version reported from the app store" -msgstr "" - -#: installer.php:160 -msgid "App directory already exists" -msgstr "" - -#: installer.php:173 -#, php-format -msgid "Can't create app folder. Please fix permissions. %s" -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 "因WebDAV接口故障,您的网络服务器好像并未允许文件同步。" - -#: 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 "%n minute ago" -msgid_plural "%n minutes ago" -msgstr[0] "%n 分钟以前" - -#: template/functions.php:82 -msgid "%n hour ago" -msgid_plural "%n hours ago" -msgstr[0] "%n 小时以前" - -#: template/functions.php:83 -msgid "today" -msgstr "今天" - -#: template/functions.php:84 -msgid "yesterday" -msgstr "昨天" - -#: template/functions.php:85 -msgid "%n day go" -msgid_plural "%n days ago" -msgstr[0] "%n 天以前" - -#: template/functions.php:86 -msgid "last month" -msgstr "上个月" - -#: template/functions.php:87 -msgid "%n month ago" -msgid_plural "%n months ago" -msgstr[0] "%n 个月以前" - -#: template/functions.php:88 -msgid "last year" -msgstr "去年" - -#: template/functions.php:89 -msgid "years ago" -msgstr "年前" - -#: template.php:297 -msgid "Caused by:" -msgstr "" - -#: vcategories.php:188 vcategories.php:249 -#, php-format -msgid "Could not find category \"%s\"" -msgstr "" diff --git a/l10n/zh_CN.GB2312/settings.po b/l10n/zh_CN.GB2312/settings.po deleted file mode 100644 index 16967e598a0..00000000000 --- a/l10n/zh_CN.GB2312/settings.po +++ /dev/null @@ -1,543 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# -# Translators: -# hlx98007 , 2013 -# Martin Liu , 2013 -# hyy0591 , 2013 -msgid "" -msgstr "" -"Project-Id-Version: ownCloud\n" -"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+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" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: zh_CN.GB2312\n" -"Plural-Forms: nplurals=1; plural=0;\n" - -#: ajax/apps/ocs.php:20 -msgid "Unable to load list from App Store" -msgstr "不能从App Store 中加载列表" - -#: 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/lostpassword.php:12 -msgid "Email saved" -msgstr "Email 保存了" - -#: ajax/lostpassword.php:14 -msgid "Invalid email" -msgstr "非法Email" - -#: 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 "未能添加用户到群组 %s" - -#: ajax/togglegroups.php:36 -#, php-format -msgid "Unable to remove user from group %s" -msgstr "未能将用户从群组 %s 移除" - -#: ajax/updateapp.php:14 -msgid "Couldn't update app." -msgstr "应用无法升级。" - -#: js/apps.js:35 -msgid "Update to {appversion}" -msgstr "升级至{appversion}" - -#: js/apps.js:41 js/apps.js:74 js/apps.js:100 -msgid "Disable" -msgstr "禁用" - -#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 -msgid "Enable" -msgstr "启用" - -#: js/apps.js:63 -msgid "Please wait...." -msgstr "请稍候……" - -#: js/apps.js:71 js/apps.js:72 js/apps.js:92 -msgid "Error while disabling app" -msgstr "" - -#: js/apps.js:91 js/apps.js:104 js/apps.js:105 -msgid "Error while enabling app" -msgstr "" - -#: js/apps.js:115 -msgid "Updating...." -msgstr "升级中……" - -#: js/apps.js:118 -msgid "Error while updating app" -msgstr "应用升级时出现错误" - -#: js/apps.js:118 -msgid "Error" -msgstr "出错" - -#: js/apps.js:119 templates/apps.php:43 -msgid "Update" -msgstr "更新" - -#: js/apps.js:122 -msgid "Updated" -msgstr "已升级" - -#: js/personal.js:150 -msgid "Decrypting files... Please wait, this can take some time." -msgstr "" - -#: js/personal.js:172 -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:97 templates/users.php:89 templates/users.php:124 -msgid "Group Admin" -msgstr "群组管理员" - -#: js/users.js:120 templates/users.php:164 -msgid "Delete" -msgstr "删除" - -#: js/users.js:277 -msgid "add group" -msgstr "添加群组" - -#: js/users.js:436 -msgid "A valid username must be provided" -msgstr "请填写有效用户名" - -#: js/users.js:437 js/users.js:443 js/users.js:458 -msgid "Error creating user" -msgstr "新增用户时出现错误" - -#: js/users.js:442 -msgid "A valid password must be provided" -msgstr "请填写有效密码" - -#: personal.php:40 personal.php:41 -msgid "__language_name__" -msgstr "Chinese" - -#: templates/admin.php:15 -msgid "Security Warning" -msgstr "安全警告" - -#: templates/admin.php:18 -msgid "" -"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." -msgstr "您的数据文件夹和您的文件或许能够从互联网访问。ownCloud 提供的 .htaccesss 文件未其作用。我们强烈建议您配置网络服务器以使数据文件夹不能从互联网访问,或将移动数据文件夹移出网络服务器文档根目录。" - -#: templates/admin.php:29 -msgid "Setup Warning" -msgstr "配置注意" - -#: templates/admin.php:32 -msgid "" -"Your web server is not yet properly setup to allow files synchronization " -"because the WebDAV interface seems to be broken." -msgstr "因WebDAV接口故障,您的网络服务器好像并未允许文件同步。" - -#: templates/admin.php:33 -#, php-format -msgid "Please double check the installation guides." -msgstr "请双击安装向导。" - -#: templates/admin.php:44 -msgid "Module 'fileinfo' missing" -msgstr "模块“fileinfo”丢失。" - -#: templates/admin.php:47 -msgid "" -"The PHP module 'fileinfo' is missing. We strongly recommend to enable this " -"module to get best results with mime-type detection." -msgstr "PHP 模块“fileinfo”丢失。我们强烈建议打开此模块来获得 mine 类型检测的最佳结果。" - -#: templates/admin.php:58 -msgid "Locale not working" -msgstr "区域设置未运作" - -#: templates/admin.php:63 -#, php-format -msgid "" -"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." -msgstr "ownCloud 服务器不能把系统区域设置为 %s。这意味着文件名可内可能含有某些引起问题的字符。我们强烈建议在您的系统上安装必要的区域/语言支持包来支持 “%s” 。" - -#: templates/admin.php:75 -msgid "Internet connection not working" -msgstr "互联网连接未运作" - -#: templates/admin.php:78 -msgid "" -"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." -msgstr "服务器没有可用的Internet连接。这意味着像挂载外部储存、版本更新提示和安装第三方插件等功能会失效。远程访问文件和发送邮件提醒也可能会失效。如果您需要这些功能,建议开启服务器的英特网连接。" - -#: templates/admin.php:92 -msgid "Cron" -msgstr "Cron" - -#: templates/admin.php:99 -msgid "Execute one task with each page loaded" -msgstr "在每个页面载入时执行一项任务" - -#: templates/admin.php:107 -msgid "" -"cron.php is registered at a webcron service to call cron.php once a minute " -"over http." -msgstr "cron.php 已作为 webcron 服务注册。owncloud 将通过 http 协议每分钟调用一次 cron.php。" - -#: templates/admin.php:115 -msgid "Use systems cron service to call the cron.php file once a minute." -msgstr "使用系统 cron 服务。通过系统 cronjob 每分钟调用一次 owncloud 文件夹下的 cron.php" - -#: templates/admin.php:120 -msgid "Sharing" -msgstr "分享" - -#: templates/admin.php:126 -msgid "Enable Share API" -msgstr "开启分享API" - -#: templates/admin.php:127 -msgid "Allow apps to use the Share API" -msgstr "允许应用使用分享API" - -#: templates/admin.php:134 -msgid "Allow links" -msgstr "允许链接" - -#: templates/admin.php:135 -msgid "Allow users to share items to the public with links" -msgstr "允许用户通过链接共享内容" - -#: templates/admin.php:143 -msgid "Allow public uploads" -msgstr "允许公众账户上传" - -#: templates/admin.php:144 -msgid "" -"Allow users to enable others to upload into their publicly shared folders" -msgstr "允许其它人向用户的公众共享文件夹里上传文件" - -#: templates/admin.php:152 -msgid "Allow resharing" -msgstr "允许转帖" - -#: templates/admin.php:153 -msgid "Allow users to share items shared with them again" -msgstr "允许用户再次共享已共享的内容" - -#: templates/admin.php:160 -msgid "Allow users to share with anyone" -msgstr "允许用户向任何人分享" - -#: templates/admin.php:163 -msgid "Allow users to only share with users in their groups" -msgstr "只允许用户向所在群组中的其他用户分享" - -#: templates/admin.php:170 -msgid "Security" -msgstr "安全" - -#: templates/admin.php:183 -msgid "Enforce HTTPS" -msgstr "强制HTTPS" - -#: templates/admin.php:185 -#, php-format -msgid "Forces the clients to connect to %s via an encrypted connection." -msgstr "强制客户端通过加密连接与%s连接" - -#: templates/admin.php:191 -#, php-format -msgid "" -"Please connect to your %s via HTTPS to enable or disable the SSL " -"enforcement." -msgstr "请通过HTTPS协议连接到 %s,需要启用或者禁止强制SSL的开关。" - -#: templates/admin.php:203 -msgid "Log" -msgstr "日志" - -#: templates/admin.php:204 -msgid "Log level" -msgstr "日志等级" - -#: templates/admin.php:235 -msgid "More" -msgstr "更多" - -#: templates/admin.php:236 -msgid "Less" -msgstr "更少" - -#: templates/admin.php:242 templates/personal.php:140 -msgid "Version" -msgstr "版本" - -#: templates/admin.php:246 templates/personal.php:143 -msgid "" -"Developed by the ownCloud community, the source code is " -"licensed under the AGPL." -msgstr "由 ownCloud 社区开发,s源代码AGPL 许可协议发布。" - -#: 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 "在owncloud.com上查看应用程序" - -#: templates/apps.php:41 -msgid "-licensed by " -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 "Bug追踪者" - -#: templates/help.php:17 -msgid "Commercial Support" -msgstr "商业支持" - -#: templates/personal.php:8 -msgid "Get the apps to sync your files" -msgstr "获取应用并同步您的文件" - -#: templates/personal.php:19 -msgid "Show First Run Wizard again" -msgstr "再次显示首次运行向导" - -#: templates/personal.php:27 -#, php-format -msgid "You have used %s of the available %s" -msgstr "您已使用%s/%s" - -#: templates/personal.php:39 templates/users.php:23 templates/users.php:86 -msgid "Password" -msgstr "密码" - -#: templates/personal.php:40 -msgid "Your password was changed" -msgstr "您的密码以变更" - -#: templates/personal.php:41 -msgid "Unable to change your password" -msgstr "不能改变你的密码" - -#: templates/personal.php:42 -msgid "Current password" -msgstr "现在的密码" - -#: templates/personal.php:44 -msgid "New password" -msgstr "新密码" - -#: templates/personal.php:46 -msgid "Change password" -msgstr "改变密码" - -#: templates/personal.php:58 templates/users.php:85 -msgid "Display Name" -msgstr "显示名称" - -#: templates/personal.php:73 -msgid "Email" -msgstr "电子邮件" - -#: templates/personal.php:75 -msgid "Your email address" -msgstr "你的email地址" - -#: templates/personal.php:76 -msgid "Fill in an email address to enable password recovery" -msgstr "输入一个邮箱地址以激活密码恢复功能" - -#: templates/personal.php:85 templates/personal.php:86 -msgid "Language" -msgstr "语言" - -#: templates/personal.php:98 -msgid "Help translate" -msgstr "帮助翻译" - -#: templates/personal.php:104 -msgid "WebDAV" -msgstr "WebDAV" - -#: templates/personal.php:106 -#, php-format -msgid "" -"Use this address to access your Files via WebDAV" -msgstr "访问WebDAV请点击 此处" - -#: templates/personal.php:117 -msgid "Encryption" -msgstr "加密" - -#: templates/personal.php:119 -msgid "The encryption app is no longer enabled, decrypt all your file" -msgstr "" - -#: templates/personal.php:125 -msgid "Log-in password" -msgstr "" - -#: templates/personal.php:130 -msgid "Decrypt all Files" -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/zh_CN.GB2312/user_ldap.po b/l10n/zh_CN.GB2312/user_ldap.po deleted file mode 100644 index 291f44e4bcd..00000000000 --- a/l10n/zh_CN.GB2312/user_ldap.po +++ /dev/null @@ -1,406 +0,0 @@ -# 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+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" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: zh_CN.GB2312\n" -"Plural-Forms: nplurals=1; plural=0;\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 behavior. 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 "您可以忽略协议,除非您需要 SSL。然后用 ldaps:// 开头" - -#: 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 "客户机用户的判别名,将用于绑定,例如 uid=agent, dc=example, dc=com。匿名访问请留空判别名和密码。" - -#: 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. Example: \"uid=%%uid\"" -msgstr "" - -#: templates/settings.php:55 -msgid "User List Filter" -msgstr "用户列表过滤器" - -#: templates/settings.php:58 -msgid "" -"Defines the filter to apply, when retrieving users (no placeholders). " -"Example: \"objectClass=person\"" -msgstr "" - -#: templates/settings.php:59 -msgid "Group Filter" -msgstr "群组过滤器" - -#: templates/settings.php:62 -msgid "" -"Defines the filter to apply, when retrieving groups (no placeholders). " -"Example: \"objectClass=posixGroup\"" -msgstr "" - -#: templates/settings.php:66 -msgid "Connection Settings" -msgstr "" - -#: templates/settings.php:68 -msgid "Configuration Active" -msgstr "" - -#: templates/settings.php:68 -msgid "When unchecked, this configuration will be skipped." -msgstr "" - -#: templates/settings.php:69 -msgid "Port" -msgstr "端口" - -#: templates/settings.php:70 -msgid "Backup (Replica) Host" -msgstr "" - -#: templates/settings.php:70 -msgid "" -"Give an optional backup host. It must be a replica of the main LDAP/AD " -"server." -msgstr "" - -#: templates/settings.php:71 -msgid "Backup (Replica) Port" -msgstr "" - -#: templates/settings.php:72 -msgid "Disable Main Server" -msgstr "" - -#: templates/settings.php:72 -msgid "Only connect to the replica server." -msgstr "" - -#: templates/settings.php:73 -msgid "Use TLS" -msgstr "使用 TLS" - -#: templates/settings.php:73 -msgid "Do not use it additionally for LDAPS connections, it will fail." -msgstr "" - -#: templates/settings.php:74 -msgid "Case insensitve LDAP server (Windows)" -msgstr "大小写不敏感的 LDAP 服务器 (Windows)" - -#: templates/settings.php:75 -msgid "Turn off SSL certificate validation." -msgstr "关闭 SSL 证书校验。" - -#: templates/settings.php:75 -#, php-format -msgid "" -"Not recommended, use it for testing only! If connection only works with this" -" option, import the LDAP server's SSL certificate in your %s server." -msgstr "" - -#: templates/settings.php:76 -msgid "Cache Time-To-Live" -msgstr "" - -#: templates/settings.php:76 -msgid "in seconds. A change empties the cache." -msgstr "以秒计。修改会清空缓存。" - -#: templates/settings.php:78 -msgid "Directory Settings" -msgstr "" - -#: templates/settings.php:80 -msgid "User Display Name Field" -msgstr "用户显示名称字段" - -#: templates/settings.php:80 -msgid "The LDAP attribute to use to generate the user's display name." -msgstr "" - -#: templates/settings.php:81 -msgid "Base User Tree" -msgstr "基本用户树" - -#: templates/settings.php:81 -msgid "One User Base DN per line" -msgstr "" - -#: templates/settings.php:82 -msgid "User Search Attributes" -msgstr "" - -#: templates/settings.php:82 templates/settings.php:85 -msgid "Optional; one attribute per line" -msgstr "" - -#: templates/settings.php:83 -msgid "Group Display Name Field" -msgstr "群组显示名称字段" - -#: templates/settings.php:83 -msgid "The LDAP attribute to use to generate the groups's display name." -msgstr "" - -#: templates/settings.php:84 -msgid "Base Group Tree" -msgstr "基本群组树" - -#: templates/settings.php:84 -msgid "One Group Base DN per line" -msgstr "" - -#: templates/settings.php:85 -msgid "Group Search Attributes" -msgstr "" - -#: templates/settings.php:86 -msgid "Group-Member association" -msgstr "群组-成员组合" - -#: templates/settings.php:88 -msgid "Special Attributes" -msgstr "" - -#: templates/settings.php:90 -msgid "Quota Field" -msgstr "" - -#: templates/settings.php:91 -msgid "Quota Default" -msgstr "" - -#: templates/settings.php:91 -msgid "in bytes" -msgstr "以字节计" - -#: templates/settings.php:92 -msgid "Email Field" -msgstr "" - -#: templates/settings.php:93 -msgid "User Home Folder Naming Rule" -msgstr "" - -#: templates/settings.php:93 -msgid "" -"Leave empty for user name (default). Otherwise, specify an LDAP/AD " -"attribute." -msgstr "用户名请留空 (默认)。否则,请指定一个 LDAP/AD 属性。" - -#: templates/settings.php:98 -msgid "Internal Username" -msgstr "" - -#: templates/settings.php:99 -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. 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." -msgstr "" - -#: templates/settings.php:100 -msgid "Internal Username Attribute:" -msgstr "" - -#: templates/settings.php:101 -msgid "Override UUID detection" -msgstr "" - -#: templates/settings.php:102 -msgid "" -"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." -msgstr "" - -#: templates/settings.php:103 -msgid "UUID Attribute:" -msgstr "" - -#: templates/settings.php:104 -msgid "Username-LDAP User Mapping" -msgstr "" - -#: templates/settings.php:105 -msgid "" -"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." -msgstr "" - -#: templates/settings.php:106 -msgid "Clear Username-LDAP User Mapping" -msgstr "" - -#: templates/settings.php:106 -msgid "Clear Groupname-LDAP Group Mapping" -msgstr "" - -#: templates/settings.php:108 -msgid "Test Configuration" -msgstr "" - -#: templates/settings.php:108 -msgid "Help" -msgstr "帮助" diff --git a/l10n/zh_CN.GB2312/user_webdavauth.po b/l10n/zh_CN.GB2312/user_webdavauth.po deleted file mode 100644 index bcfa856ac0c..00000000000 --- a/l10n/zh_CN.GB2312/user_webdavauth.po +++ /dev/null @@ -1,34 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# -# Translators: -# aivier , 2013 -msgid "" -msgstr "" -"Project-Id-Version: ownCloud\n" -"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-15 10:30+0000\n" -"Last-Translator: aivier \n" -"Language-Team: Chinese (China) (GB2312) (http://www.transifex.com/projects/p/owncloud/language/zh_CN.GB2312/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: zh_CN.GB2312\n" -"Plural-Forms: nplurals=1; plural=0;\n" - -#: templates/settings.php:3 -msgid "WebDAV Authentication" -msgstr "WebDAV 验证" - -#: templates/settings.php:4 -msgid "Address: " -msgstr "地址:" - -#: templates/settings.php:7 -msgid "" -"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." -msgstr "" diff --git a/lib/l10n/zh_CN.GB2312.php b/lib/l10n/zh_CN.GB2312.php deleted file mode 100644 index bc81ff8fe1b..00000000000 --- a/lib/l10n/zh_CN.GB2312.php +++ /dev/null @@ -1,32 +0,0 @@ - "帮助", -"Personal" => "私人", -"Settings" => "设置", -"Users" => "用户", -"Admin" => "管理员", -"web services under your control" => "您控制的网络服务", -"ZIP download is turned off." => "ZIP 下载已关闭", -"Files need to be downloaded one by one." => "需要逐个下载文件。", -"Back to Files" => "返回到文件", -"Selected files too large to generate zip file." => "选择的文件太大而不能生成 zip 文件。", -"Application is not enabled" => "应用未启用", -"Authentication error" => "验证错误", -"Token expired. Please reload page." => "会话过期。请刷新页面。", -"Files" => "文件", -"Text" => "文本", -"Images" => "图片", -"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" => "秒前", -"_%n minute ago_::_%n minutes ago_" => array("%n 分钟以前"), -"_%n hour ago_::_%n hours ago_" => array("%n 小时以前"), -"today" => "今天", -"yesterday" => "昨天", -"_%n day go_::_%n days ago_" => array("%n 天以前"), -"last month" => "上个月", -"_%n month ago_::_%n months ago_" => array("%n 个月以前"), -"last year" => "去年", -"years ago" => "年前" -); -$PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/lib/updater.php b/lib/updater.php index df7332a96a9..ae742787269 100644 --- a/lib/updater.php +++ b/lib/updater.php @@ -127,6 +127,10 @@ class Updater extends BasicEmitter { '); $result = $query->execute(); } catch (\Exception $e) { + $this->emit('\OC\Updater', 'filecacheProgress', array(10)); + $this->emit('\OC\Updater', 'filecacheProgress', array(20)); + $this->emit('\OC\Updater', 'filecacheProgress', array(30)); + $this->emit('\OC\Updater', 'filecacheProgress', array(40)); return; } $users = $result->fetchAll(); diff --git a/settings/l10n/zh_CN.GB2312.php b/settings/l10n/zh_CN.GB2312.php deleted file mode 100644 index b2457a75e50..00000000000 --- a/settings/l10n/zh_CN.GB2312.php +++ /dev/null @@ -1,118 +0,0 @@ - "不能从App Store 中加载列表", -"Authentication error" => "验证错误", -"Your display name has been changed." => "您的显示名称已修改", -"Unable to change display name" => "无法更改显示名称", -"Group already exists" => "群组已存在", -"Unable to add group" => "未能添加群组", -"Email saved" => "Email 保存了", -"Invalid email" => "非法Email", -"Unable to delete group" => "未能删除群组", -"Unable to delete user" => "未能删除用户", -"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 移除", -"Couldn't update app." => "应用无法升级。", -"Update to {appversion}" => "升级至{appversion}", -"Disable" => "禁用", -"Enable" => "启用", -"Please wait...." => "请稍候……", -"Updating...." => "升级中……", -"Error while updating app" => "应用升级时出现错误", -"Error" => "出错", -"Update" => "更新", -"Updated" => "已升级", -"Saving..." => "保存中...", -"deleted" => "删除", -"undo" => "撤销", -"Unable to remove user" => "无法移除用户", -"Groups" => "群组", -"Group Admin" => "群组管理员", -"Delete" => "删除", -"add group" => "添加群组", -"A valid username must be provided" => "请填写有效用户名", -"Error creating user" => "新增用户时出现错误", -"A valid password must be provided" => "请填写有效密码", -"__language_name__" => "Chinese", -"Security Warning" => "安全警告", -"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." => "您的数据文件夹和您的文件或许能够从互联网访问。ownCloud 提供的 .htaccesss 文件未其作用。我们强烈建议您配置网络服务器以使数据文件夹不能从互联网访问,或将移动数据文件夹移出网络服务器文档根目录。", -"Setup Warning" => "配置注意", -"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." => "请双击安装向导。", -"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." => "PHP 模块“fileinfo”丢失。我们强烈建议打开此模块来获得 mine 类型检测的最佳结果。", -"Locale not working" => "区域设置未运作", -"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." => "ownCloud 服务器不能把系统区域设置为 %s。这意味着文件名可内可能含有某些引起问题的字符。我们强烈建议在您的系统上安装必要的区域/语言支持包来支持 “%s” 。", -"Internet connection not working" => "互联网连接未运作", -"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." => "服务器没有可用的Internet连接。这意味着像挂载外部储存、版本更新提示和安装第三方插件等功能会失效。远程访问文件和发送邮件提醒也可能会失效。如果您需要这些功能,建议开启服务器的英特网连接。", -"Cron" => "Cron", -"Execute one task with each page loaded" => "在每个页面载入时执行一项任务", -"cron.php is registered at a webcron service to call cron.php once a minute over http." => "cron.php 已作为 webcron 服务注册。owncloud 将通过 http 协议每分钟调用一次 cron.php。", -"Use systems cron service to call the cron.php file once a minute." => "使用系统 cron 服务。通过系统 cronjob 每分钟调用一次 owncloud 文件夹下的 cron.php", -"Sharing" => "分享", -"Enable Share API" => "开启分享API", -"Allow apps to use the Share API" => "允许应用使用分享API", -"Allow links" => "允许链接", -"Allow users to share items to the public with links" => "允许用户通过链接共享内容", -"Allow public uploads" => "允许公众账户上传", -"Allow users to enable others to upload into their publicly shared folders" => "允许其它人向用户的公众共享文件夹里上传文件", -"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", -"Forces the clients to connect to %s via an encrypted connection." => "强制客户端通过加密连接与%s连接", -"Please connect to your %s via HTTPS to enable or disable the SSL enforcement." => "请通过HTTPS协议连接到 %s,需要启用或者禁止强制SSL的开关。", -"Log" => "日志", -"Log level" => "日志等级", -"More" => "更多", -"Less" => "更少", -"Version" => "版本", -"Developed by the ownCloud community, the source code is licensed under the AGPL." => "由 ownCloud 社区开发,s源代码AGPL 许可协议发布。", -"Add your App" => "添加你的应用程序", -"More Apps" => "更多应用", -"Select an App" => "选择一个程序", -"See application page at apps.owncloud.com" => "在owncloud.com上查看应用程序", -"-licensed by " => "授权协议 ", -"User Documentation" => "用户文档", -"Administrator Documentation" => "管理员文档", -"Online Documentation" => "在线说明文档", -"Forum" => "论坛", -"Bugtracker" => "Bug追踪者", -"Commercial Support" => "商业支持", -"Get the apps to sync your files" => "获取应用并同步您的文件", -"Show First Run Wizard again" => "再次显示首次运行向导", -"You have used %s of the available %s" => "您已使用%s/%s", -"Password" => "密码", -"Your password was changed" => "您的密码以变更", -"Unable to change your password" => "不能改变你的密码", -"Current password" => "现在的密码", -"New password" => "新密码", -"Change password" => "改变密码", -"Display Name" => "显示名称", -"Email" => "电子邮件", -"Your email address" => "你的email地址", -"Fill in an email address to enable password recovery" => "输入一个邮箱地址以激活密码恢复功能", -"Language" => "语言", -"Help translate" => "帮助翻译", -"WebDAV" => "WebDAV", -"Use this address to access your Files via WebDAV" => "访问WebDAV请点击 此处", -"Encryption" => "加密", -"Login Name" => "登录名", -"Create" => "新建", -"Admin Recovery Password" => "管理员恢复密码", -"Enter the recovery password in order to recover the users files during password change" => "在恢复密码的过程中请输入恢复密钥来恢复用户数据", -"Default Storage" => "默认容量", -"Unlimited" => "无限制", -"Other" => "其他", -"Username" => "用户名", -"Storage" => "容量", -"change display name" => "更改显示名称", -"set new password" => "设置新的密码", -"Default" => "默认" -); -$PLURAL_FORMS = "nplurals=1; plural=0;"; -- GitLab From d3d91ce3476dd6dd9aba06152ab076fd52902fe6 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Tue, 27 Aug 2013 10:49:10 +0200 Subject: [PATCH 341/415] revert debugging code which accidentially entered this pull request --- lib/updater.php | 4 ---- 1 file changed, 4 deletions(-) diff --git a/lib/updater.php b/lib/updater.php index ae742787269..df7332a96a9 100644 --- a/lib/updater.php +++ b/lib/updater.php @@ -127,10 +127,6 @@ class Updater extends BasicEmitter { '); $result = $query->execute(); } catch (\Exception $e) { - $this->emit('\OC\Updater', 'filecacheProgress', array(10)); - $this->emit('\OC\Updater', 'filecacheProgress', array(20)); - $this->emit('\OC\Updater', 'filecacheProgress', array(30)); - $this->emit('\OC\Updater', 'filecacheProgress', array(40)); return; } $users = $result->fetchAll(); -- GitLab From 6e8bc13aa3befba15e3df17cb32ef54d447fbfec Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Tue, 27 Aug 2013 10:58:17 +0200 Subject: [PATCH 342/415] fix weird logical behaviour --- lib/helper.php | 6 ++---- 1 file changed, 2 insertions(+), 4 deletions(-) diff --git a/lib/helper.php b/lib/helper.php index dd2476eda5c..cfb29028ee3 100644 --- a/lib/helper.php +++ b/lib/helper.php @@ -858,10 +858,8 @@ class OC_Helper { } else { $total = $free; //either unknown or unlimited } - if ($total == 0) { - $total = 1; // prevent division by zero - } - if ($total >= 0) { + if ($total > 0) { + // prevent division by zero or error codes (negative values) $relative = round(($used / $total) * 10000) / 100; } else { $relative = 0; -- GitLab From 316d9bfed67ded313919f9d9f0c661013546f526 Mon Sep 17 00:00:00 2001 From: Bjoern Schiessle Date: Tue, 27 Aug 2013 14:39:43 +0200 Subject: [PATCH 343/415] the trash bin can also contain empty files. Don't use the trash bin size as indicator to decide if the trash bin is empty or not --- apps/files_trashbin/lib/trash.php | 9 +++++---- 1 file changed, 5 insertions(+), 4 deletions(-) diff --git a/apps/files_trashbin/lib/trash.php b/apps/files_trashbin/lib/trash.php index 323f25eac2f..0dcb2fc82e1 100644 --- a/apps/files_trashbin/lib/trash.php +++ b/apps/files_trashbin/lib/trash.php @@ -689,7 +689,7 @@ class Trashbin { } } } - + /** * clean up the trash bin * @param current size of the trash bin @@ -892,16 +892,17 @@ class Trashbin { //Listen to post write hook \OCP\Util::connectHook('OC_Filesystem', 'post_write', "OCA\Files_Trashbin\Hooks", "post_write_hook"); } - + /** * @brief check if trash bin is empty for a given user * @param string $user */ public static function isEmpty($user) { - $trashSize = self::getTrashbinSize($user); + $view = new \OC\Files\View('/' . $user . '/files_trashbin'); + $content = $view->getDirectoryContent('/files'); - if ($trashSize !== false && $trashSize > 0) { + if ($content) { return false; } -- GitLab From f14ce1efdc2a8b9656bd485055dea706936c585d Mon Sep 17 00:00:00 2001 From: Tom Needham Date: Wed, 1 May 2013 18:20:46 +0100 Subject: [PATCH 344/415] Add quota to core api --- lib/ocs/cloud.php | 33 ++++++++++++++++++++++++++++----- ocs/routes.php | 9 ++++++++- 2 files changed, 36 insertions(+), 6 deletions(-) diff --git a/lib/ocs/cloud.php b/lib/ocs/cloud.php index 132d923d960..1535f70a8cc 100644 --- a/lib/ocs/cloud.php +++ b/lib/ocs/cloud.php @@ -35,13 +35,36 @@ class OC_OCS_Cloud { 'edition' => OC_Util::getEditionString(), ); - $result['capabilities'] = array( - 'core' => array( - 'pollinterval' => OC_Config::getValue('pollinterval', 60), - ), - ); + $result['capabilities'] = array( + 'core' => array( + 'pollinterval' => OC_Config::getValue('pollinterval', 60), + ), + ); + return new OC_OCS_Result($result); } + + /** + * gets user info + */ + public static function getUser($parameters){ + // Check if they are viewing information on themselves + if($parameters['userid'] === OC_User::getUser()){ + // Self lookup + $quota = array(); + $storage = OC_Helper::getStorageInfo(); + $quota = array( + 'free' => $storage['free'], + 'used' => $storage['used'], + 'total' => $storage['total'], + 'relative' => $storage['relative'], + ); + return new OC_OCS_Result(array('quota' => $quota)); + } else { + // No permission to view this user data + return new OC_OCS_Result(null, 997); + } + } public static function getUserPublickey($parameters) { diff --git a/ocs/routes.php b/ocs/routes.php index 1ea698c7a83..283c9af6924 100644 --- a/ocs/routes.php +++ b/ocs/routes.php @@ -28,7 +28,7 @@ OC_API::register( array('OC_OCS_Activity', 'activityGet'), 'core', OC_API::USER_AUTH - ); + ); // Privatedata OC_API::register( 'get', @@ -75,3 +75,10 @@ OC_API::register( 'core', OC_API::USER_AUTH ); +OC_API::register( + 'get', + '/cloud/users/{userid}', + array('OC_OCS_Cloud', 'getUser'), + 'core', + OC_API::USER_AUTH + ); -- GitLab From 273f162b26b15b2238972001a4ada3fa52eeece9 Mon Sep 17 00:00:00 2001 From: Tom Needham Date: Wed, 1 May 2013 18:26:02 +0100 Subject: [PATCH 345/415] Code style --- lib/ocs/cloud.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/lib/ocs/cloud.php b/lib/ocs/cloud.php index 1535f70a8cc..b64200d0916 100644 --- a/lib/ocs/cloud.php +++ b/lib/ocs/cloud.php @@ -47,9 +47,9 @@ class OC_OCS_Cloud { /** * gets user info */ - public static function getUser($parameters){ + public static function getUser($parameters) { // Check if they are viewing information on themselves - if($parameters['userid'] === OC_User::getUser()){ + if($parameters['userid'] === OC_User::getUser()) { // Self lookup $quota = array(); $storage = OC_Helper::getStorageInfo(); -- GitLab From e91edabe0f58fe316e3fb62461bce16168e74f52 Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Tue, 27 Aug 2013 16:07:25 +0200 Subject: [PATCH 346/415] add documentation --- lib/ocs/cloud.php | 13 +++++++++++++ 1 file changed, 13 insertions(+) diff --git a/lib/ocs/cloud.php b/lib/ocs/cloud.php index b64200d0916..2dd99319057 100644 --- a/lib/ocs/cloud.php +++ b/lib/ocs/cloud.php @@ -46,6 +46,19 @@ class OC_OCS_Cloud { /** * gets user info + * + * exposes the quota of an user: + * + * + * 1234 + * 4321 + * 5555 + * 0.78 + * + * + * + * @param $parameters object should contain parameter 'userid' which identifies + * the user from whom the information will be returned */ public static function getUser($parameters) { // Check if they are viewing information on themselves -- GitLab From d5062b9e0e50b7830cb6b323c926c89ac7d4aee0 Mon Sep 17 00:00:00 2001 From: Jenkins for ownCloud Date: Tue, 27 Aug 2013 11:23:18 -0400 Subject: [PATCH 347/415] [tx-robot] updated from transifex --- apps/files/l10n/ar.php | 1 - apps/files/l10n/bn_BD.php | 1 - apps/files/l10n/ca.php | 1 - apps/files/l10n/cs_CZ.php | 1 - apps/files/l10n/cy_GB.php | 1 - apps/files/l10n/da.php | 1 - apps/files/l10n/de.php | 1 - apps/files/l10n/de_DE.php | 1 - apps/files/l10n/el.php | 1 - apps/files/l10n/eo.php | 1 - apps/files/l10n/es.php | 1 - apps/files/l10n/es_AR.php | 1 - apps/files/l10n/et_EE.php | 1 - apps/files/l10n/eu.php | 1 - apps/files/l10n/fa.php | 1 - apps/files/l10n/fr.php | 1 - apps/files/l10n/gl.php | 1 - apps/files/l10n/hu_HU.php | 1 - apps/files/l10n/id.php | 1 - apps/files/l10n/is.php | 1 - apps/files/l10n/it.php | 1 - apps/files/l10n/ja_JP.php | 1 - apps/files/l10n/ka_GE.php | 1 - apps/files/l10n/ko.php | 1 - apps/files/l10n/lt_LT.php | 1 - apps/files/l10n/lv.php | 1 - apps/files/l10n/nb_NO.php | 1 - apps/files/l10n/nl.php | 1 - apps/files/l10n/nn_NO.php | 1 - apps/files/l10n/pl.php | 1 - apps/files/l10n/pt_BR.php | 1 - apps/files/l10n/pt_PT.php | 1 - apps/files/l10n/ro.php | 1 - apps/files/l10n/ru.php | 1 - apps/files/l10n/sk_SK.php | 1 - apps/files/l10n/sl.php | 1 - apps/files/l10n/sq.php | 1 - apps/files/l10n/sr.php | 1 - apps/files/l10n/sv.php | 1 - apps/files/l10n/th_TH.php | 1 - apps/files/l10n/tr.php | 1 - apps/files/l10n/uk.php | 1 - apps/files/l10n/vi.php | 1 - apps/files/l10n/zh_CN.php | 1 - apps/files/l10n/zh_TW.php | 8 +-- apps/files_sharing/l10n/zh_TW.php | 7 +++ apps/files_trashbin/l10n/zh_TW.php | 11 +++-- apps/files_versions/l10n/zh_TW.php | 3 ++ apps/user_ldap/l10n/ca.php | 4 ++ apps/user_ldap/l10n/pt_BR.php | 4 ++ apps/user_ldap/l10n/zh_TW.php | 67 +++++++++++++------------ core/l10n/de_CH.php | 9 ++-- core/l10n/ko.php | 8 +-- core/l10n/lt_LT.php | 10 ++-- core/l10n/zh_TW.php | 10 ++-- l10n/af_ZA/core.po | 39 ++++++++++++--- l10n/af_ZA/files.po | 27 +++++----- l10n/ar/core.po | 39 ++++++++++++--- l10n/ar/files.po | 27 +++++----- l10n/be/core.po | 39 ++++++++++++--- l10n/be/files.po | 27 +++++----- l10n/bg_BG/core.po | 39 ++++++++++++--- l10n/bg_BG/files.po | 27 +++++----- l10n/bn_BD/core.po | 39 ++++++++++++--- l10n/bn_BD/files.po | 27 +++++----- l10n/bs/core.po | 39 ++++++++++++--- l10n/bs/files.po | 27 +++++----- l10n/ca/core.po | 31 ++++++++++-- l10n/ca/files.po | 29 +++++------ l10n/ca/lib.po | 34 ++++++------- l10n/ca/settings.po | 10 ++-- l10n/ca/user_ldap.po | 14 +++--- l10n/cs_CZ/core.po | 39 ++++++++++++--- l10n/cs_CZ/files.po | 29 +++++------ l10n/cy_GB/core.po | 39 ++++++++++++--- l10n/cy_GB/files.po | 27 +++++----- l10n/da/core.po | 39 ++++++++++++--- l10n/da/files.po | 29 +++++------ l10n/de/core.po | 39 ++++++++++++--- l10n/de/files.po | 29 +++++------ l10n/de/lib.po | 29 +++++------ l10n/de_AT/core.po | 39 ++++++++++++--- l10n/de_AT/files.po | 27 +++++----- l10n/de_CH/core.po | 58 ++++++++++++++++------ l10n/de_CH/files.po | 38 +++++++------- l10n/de_CH/files_encryption.po | 9 ++-- l10n/de_CH/files_trashbin.po | 15 +++--- l10n/de_CH/lib.po | 23 ++++----- l10n/de_CH/settings.po | 19 +++---- l10n/de_CH/user_ldap.po | 15 +++--- l10n/de_DE/core.po | 39 ++++++++++++--- l10n/de_DE/files.po | 29 +++++------ l10n/de_DE/lib.po | 14 +++--- l10n/de_DE/settings.po | 19 +++---- l10n/el/core.po | 39 ++++++++++++--- l10n/el/files.po | 27 +++++----- l10n/en@pirate/core.po | 39 ++++++++++++--- l10n/en@pirate/files.po | 27 +++++----- l10n/eo/core.po | 39 ++++++++++++--- l10n/eo/files.po | 27 +++++----- l10n/es/core.po | 39 ++++++++++++--- l10n/es/files.po | 27 +++++----- l10n/es/settings.po | 8 +-- l10n/es_AR/core.po | 39 ++++++++++++--- l10n/es_AR/files.po | 27 +++++----- l10n/et_EE/core.po | 31 ++++++++++-- l10n/et_EE/files.po | 29 +++++------ l10n/et_EE/lib.po | 34 ++++++------- l10n/et_EE/settings.po | 10 ++-- l10n/eu/core.po | 31 ++++++++++-- l10n/eu/files.po | 29 +++++------ l10n/fa/core.po | 39 ++++++++++++--- l10n/fa/files.po | 27 +++++----- l10n/fi_FI/core.po | 39 ++++++++++++--- l10n/fi_FI/files.po | 27 +++++----- l10n/fi_FI/lib.po | 20 ++++---- l10n/fi_FI/settings.po | 14 +++--- l10n/fr/core.po | 39 ++++++++++++--- l10n/fr/files.po | 27 +++++----- l10n/gl/core.po | 39 ++++++++++++--- l10n/gl/files.po | 29 +++++------ l10n/he/core.po | 31 ++++++++++-- l10n/he/files.po | 27 +++++----- l10n/hi/core.po | 39 ++++++++++++--- l10n/hi/files.po | 27 +++++----- l10n/hr/core.po | 39 ++++++++++++--- l10n/hr/files.po | 27 +++++----- l10n/hu_HU/core.po | 39 ++++++++++++--- l10n/hu_HU/files.po | 27 +++++----- l10n/hy/core.po | 39 ++++++++++++--- l10n/hy/files.po | 27 +++++----- l10n/ia/core.po | 39 ++++++++++++--- l10n/ia/files.po | 27 +++++----- l10n/id/core.po | 39 ++++++++++++--- l10n/id/files.po | 27 +++++----- l10n/is/core.po | 39 ++++++++++++--- l10n/is/files.po | 27 +++++----- l10n/it/core.po | 31 ++++++++++-- l10n/it/files.po | 29 +++++------ l10n/ja_JP/core.po | 39 ++++++++++++--- l10n/ja_JP/files.po | 29 +++++------ l10n/ka/core.po | 39 ++++++++++++--- l10n/ka/files.po | 27 +++++----- l10n/ka_GE/core.po | 39 ++++++++++++--- l10n/ka_GE/files.po | 27 +++++----- l10n/kn/core.po | 39 ++++++++++++--- l10n/kn/files.po | 27 +++++----- l10n/ko/core.po | 47 +++++++++++++----- l10n/ko/files.po | 27 +++++----- l10n/ko/lib.po | 71 +++++++++++++------------- l10n/ku_IQ/core.po | 39 ++++++++++++--- l10n/ku_IQ/files.po | 27 +++++----- l10n/lb/core.po | 39 ++++++++++++--- l10n/lb/files.po | 27 +++++----- l10n/lt_LT/core.po | 64 +++++++++++++++++------- l10n/lt_LT/files.po | 27 +++++----- l10n/lt_LT/lib.po | 10 ++-- l10n/lv/core.po | 39 ++++++++++++--- l10n/lv/files.po | 29 +++++------ l10n/mk/core.po | 39 ++++++++++++--- l10n/mk/files.po | 27 +++++----- l10n/ml_IN/core.po | 39 ++++++++++++--- l10n/ml_IN/files.po | 27 +++++----- l10n/ms_MY/core.po | 39 ++++++++++++--- l10n/ms_MY/files.po | 27 +++++----- l10n/my_MM/core.po | 39 ++++++++++++--- l10n/my_MM/files.po | 27 +++++----- l10n/nb_NO/core.po | 39 ++++++++++++--- l10n/nb_NO/files.po | 27 +++++----- l10n/ne/core.po | 39 ++++++++++++--- l10n/ne/files.po | 27 +++++----- l10n/nl/core.po | 39 ++++++++++++--- l10n/nl/files.po | 29 +++++------ l10n/nl/lib.po | 9 ++-- l10n/nl/settings.po | 10 ++-- l10n/nn_NO/core.po | 39 ++++++++++++--- l10n/nn_NO/files.po | 27 +++++----- l10n/oc/core.po | 39 ++++++++++++--- l10n/oc/files.po | 27 +++++----- l10n/pl/core.po | 39 ++++++++++++--- l10n/pl/files.po | 27 +++++----- l10n/pt_BR/core.po | 39 ++++++++++++--- l10n/pt_BR/files.po | 27 +++++----- l10n/pt_BR/lib.po | 34 ++++++------- l10n/pt_BR/settings.po | 10 ++-- l10n/pt_BR/user_ldap.po | 14 +++--- l10n/pt_PT/core.po | 39 ++++++++++++--- l10n/pt_PT/files.po | 27 +++++----- l10n/ro/core.po | 39 ++++++++++++--- l10n/ro/files.po | 27 +++++----- l10n/ru/core.po | 39 ++++++++++++--- l10n/ru/files.po | 27 +++++----- l10n/ru/settings.po | 9 ++-- l10n/si_LK/core.po | 39 ++++++++++++--- l10n/si_LK/files.po | 27 +++++----- l10n/sk/core.po | 39 ++++++++++++--- l10n/sk/files.po | 27 +++++----- l10n/sk_SK/core.po | 31 ++++++++++-- l10n/sk_SK/files.po | 29 +++++------ l10n/sl/core.po | 39 ++++++++++++--- l10n/sl/files.po | 27 +++++----- l10n/sq/core.po | 39 ++++++++++++--- l10n/sq/files.po | 27 +++++----- l10n/sr/core.po | 39 ++++++++++++--- l10n/sr/files.po | 27 +++++----- l10n/sr@latin/core.po | 39 ++++++++++++--- l10n/sr@latin/files.po | 27 +++++----- l10n/sv/core.po | 39 ++++++++++++--- l10n/sv/files.po | 29 +++++------ l10n/sw_KE/core.po | 39 ++++++++++++--- l10n/sw_KE/files.po | 27 +++++----- l10n/ta_LK/core.po | 39 ++++++++++++--- l10n/ta_LK/files.po | 27 +++++----- l10n/te/core.po | 39 ++++++++++++--- l10n/te/files.po | 27 +++++----- l10n/templates/core.pot | 27 +++++++++- l10n/templates/files.pot | 25 ++++------ l10n/templates/files_encryption.pot | 2 +- l10n/templates/files_external.pot | 2 +- l10n/templates/files_sharing.pot | 2 +- l10n/templates/files_trashbin.pot | 2 +- l10n/templates/files_versions.pot | 2 +- l10n/templates/lib.pot | 2 +- l10n/templates/settings.pot | 2 +- l10n/templates/user_ldap.pot | 2 +- l10n/templates/user_webdavauth.pot | 2 +- l10n/th_TH/core.po | 39 ++++++++++++--- l10n/th_TH/files.po | 27 +++++----- l10n/tr/core.po | 39 ++++++++++++--- l10n/tr/files.po | 29 +++++------ l10n/tr/lib.po | 34 ++++++------- l10n/tr/settings.po | 11 +++-- l10n/ug/core.po | 39 ++++++++++++--- l10n/ug/files.po | 27 +++++----- l10n/uk/core.po | 39 ++++++++++++--- l10n/uk/files.po | 27 +++++----- l10n/ur_PK/core.po | 39 ++++++++++++--- l10n/ur_PK/files.po | 27 +++++----- l10n/vi/core.po | 39 ++++++++++++--- l10n/vi/files.po | 27 +++++----- l10n/zh_CN/core.po | 39 ++++++++++++--- l10n/zh_CN/files.po | 27 +++++----- l10n/zh_HK/core.po | 39 ++++++++++++--- l10n/zh_HK/files.po | 27 +++++----- l10n/zh_TW/core.po | 51 ++++++++++++++----- l10n/zh_TW/files.po | 35 ++++++------- l10n/zh_TW/files_sharing.po | 20 ++++---- l10n/zh_TW/files_trashbin.po | 19 +++---- l10n/zh_TW/files_versions.po | 14 +++--- l10n/zh_TW/lib.po | 50 +++++++++---------- l10n/zh_TW/settings.po | 18 +++---- l10n/zh_TW/user_ldap.po | 77 +++++++++++++++-------------- lib/l10n/ca.php | 14 ++++++ lib/l10n/de.php | 11 +++++ lib/l10n/de_CH.php | 12 +++-- lib/l10n/de_DE.php | 4 ++ lib/l10n/et_EE.php | 14 ++++++ lib/l10n/fi_FI.php | 7 +++ lib/l10n/ko.php | 36 ++++++++++++-- lib/l10n/lt_LT.php | 6 +-- lib/l10n/nl.php | 1 + lib/l10n/pt_BR.php | 14 ++++++ lib/l10n/tr.php | 14 ++++++ lib/l10n/zh_TW.php | 26 ++++++++-- settings/l10n/ca.php | 2 + settings/l10n/de_CH.php | 6 +++ settings/l10n/de_DE.php | 10 ++-- settings/l10n/es.php | 2 +- settings/l10n/et_EE.php | 2 + settings/l10n/fi_FI.php | 4 ++ settings/l10n/nl.php | 2 + settings/l10n/pt_BR.php | 2 + settings/l10n/ru.php | 1 + settings/l10n/tr.php | 2 + settings/l10n/zh_TW.php | 6 +++ 275 files changed, 4008 insertions(+), 2289 deletions(-) diff --git a/apps/files/l10n/ar.php b/apps/files/l10n/ar.php index 7161e49a968..a6c4e65530c 100644 --- a/apps/files/l10n/ar.php +++ b/apps/files/l10n/ar.php @@ -35,7 +35,6 @@ $TRANSLATIONS = array( "Your storage is full, files can not be updated or synced anymore!" => "مساحتك التخزينية ممتلئة, لا يمكم تحديث ملفاتك أو مزامنتها بعد الآن !", "Your storage is almost full ({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" => "معدل", diff --git a/apps/files/l10n/bn_BD.php b/apps/files/l10n/bn_BD.php index 2f05a3eccf8..9efde85f0ce 100644 --- a/apps/files/l10n/bn_BD.php +++ b/apps/files/l10n/bn_BD.php @@ -31,7 +31,6 @@ $TRANSLATIONS = array( "'.' is an invalid file name." => "টি একটি অননুমোদিত নাম।", "File name cannot be empty." => "ফাইলের নামটি ফাঁকা রাখা যাবে না।", "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "নামটি সঠিক নয়, '\\', '/', '<', '>', ':', '\"', '|', '?' এবং '*' অনুমোদিত নয়।", -"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "ফোল্ডারের নামটি সঠিক নয়। 'ভাগাভাগি করা' শুধুমাত্র Owncloud এর জন্য সংরক্ষিত।", "Name" => "রাম", "Size" => "আকার", "Modified" => "পরিবর্তিত", diff --git a/apps/files/l10n/ca.php b/apps/files/l10n/ca.php index 3429f572fd2..f7d00692177 100644 --- a/apps/files/l10n/ca.php +++ b/apps/files/l10n/ca.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "Your storage is almost full ({usedSpacePercent}%)" => "El vostre espai d'emmagatzemament és gairebé ple ({usedSpacePercent}%)", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "L'encriptació s'ha desactivat però els vostres fitxers segueixen encriptats. Aneu a la vostra configuració personal per desencriptar els vostres fitxers.", "Your download is being prepared. This might take some time if the files are big." => "S'està preparant la baixada. Pot trigar una estona si els fitxers són grans.", -"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Nom de carpeta no vàlid. L'ús de 'Shared' està reservat per Owncloud", "Name" => "Nom", "Size" => "Mida", "Modified" => "Modificat", diff --git a/apps/files/l10n/cs_CZ.php b/apps/files/l10n/cs_CZ.php index 1f766de7cf6..dd243eb5761 100644 --- a/apps/files/l10n/cs_CZ.php +++ b/apps/files/l10n/cs_CZ.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "Your storage is almost full ({usedSpacePercent}%)" => "Vaše úložiště je téměř plné ({usedSpacePercent}%)", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "Šifrování bylo zrušeno, soubory jsou však stále zašifrované. Běžte prosím do osobního nastavení, kde si složky odšifrujete.", "Your download is being prepared. This might take some time if the files are big." => "Vaše soubory ke stažení se připravují. Pokud jsou velké, může to chvíli trvat.", -"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Neplatný název složky. Pojmenování 'Shared' je rezervováno pro vnitřní potřeby ownCloud", "Name" => "Název", "Size" => "Velikost", "Modified" => "Upraveno", diff --git a/apps/files/l10n/cy_GB.php b/apps/files/l10n/cy_GB.php index 01c4613a8ce..f614fbee47c 100644 --- a/apps/files/l10n/cy_GB.php +++ b/apps/files/l10n/cy_GB.php @@ -37,7 +37,6 @@ $TRANSLATIONS = array( "Your storage is full, files can not be updated or synced anymore!" => "Mae eich storfa'n llawn, ni ellir diweddaru a chydweddu ffeiliau mwyach!", "Your storage is almost full ({usedSpacePercent}%)" => "Mae eich storfa bron a bod yn llawn ({usedSpacePercent}%)", "Your download is being prepared. This might take some time if the files are big." => "Wrthi'n paratoi i lwytho i lawr. Gall gymryd peth amser os yw'r ffeiliau'n fawr.", -"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Enw plygell annilys. Mae'r defnydd o 'Shared' yn cael ei gadw gan Owncloud", "Name" => "Enw", "Size" => "Maint", "Modified" => "Addaswyd", diff --git a/apps/files/l10n/da.php b/apps/files/l10n/da.php index e10b16be50e..a891bcfb378 100644 --- a/apps/files/l10n/da.php +++ b/apps/files/l10n/da.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "Your storage is almost full ({usedSpacePercent}%)" => "Din opbevaringsplads er næsten fyldt op ({usedSpacePercent}%)", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "Krypteringen blev deaktiveret, men dine filer er stadig krypteret. Gå venligst til dine personlige indstillinger for at dekryptere dine filer. ", "Your download is being prepared. This might take some time if the files are big." => "Dit download forberedes. Dette kan tage lidt tid ved større filer.", -"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Ugyldigt mappenavn. Brug af \"Shared\" er forbeholdt Owncloud", "Name" => "Navn", "Size" => "Størrelse", "Modified" => "Ændret", diff --git a/apps/files/l10n/de.php b/apps/files/l10n/de.php index c41d2fb5c16..53f9b1a2364 100644 --- a/apps/files/l10n/de.php +++ b/apps/files/l10n/de.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "Your storage is almost full ({usedSpacePercent}%)" => "Dein Speicher ist fast voll ({usedSpacePercent}%)", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "Die Verschlüsselung wurde deaktiviert, jedoch sind deine Dateien nach wie vor verschlüsselt. Bitte gehe zu deinen persönlichen Einstellungen, um deine Dateien zu entschlüsseln.", "Your download is being prepared. This might take some time if the files are big." => "Dein Download wird vorbereitet. Dies kann bei größeren Dateien etwas dauern.", -"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Ungültiger Verzeichnisname. Die Nutzung von \"Shared\" ist ownCloud vorbehalten.", "Name" => "Name", "Size" => "Größe", "Modified" => "Geändert", diff --git a/apps/files/l10n/de_DE.php b/apps/files/l10n/de_DE.php index 6d4bf8a4e72..8ea824c9c1a 100644 --- a/apps/files/l10n/de_DE.php +++ b/apps/files/l10n/de_DE.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "Your storage is almost full ({usedSpacePercent}%)" => "Ihr Speicher ist fast voll ({usedSpacePercent}%)", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "Die Verschlüsselung wurde deaktiviert, jedoch sind Ihre Dateien nach wie vor verschlüsselt. Bitte gehen Sie zu Ihren persönlichen Einstellungen, um Ihre Dateien zu entschlüsseln.", "Your download is being prepared. This might take some time if the files are big." => "Ihr Download wird vorbereitet. Dies kann bei größeren Dateien etwas dauern.", -"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Ungültiger Verzeichnisname. Die Nutzung von \"Shared\" ist ownCloud vorbehalten", "Name" => "Name", "Size" => "Größe", "Modified" => "Geändert", diff --git a/apps/files/l10n/el.php b/apps/files/l10n/el.php index e1d0052bc0b..41645acb522 100644 --- a/apps/files/l10n/el.php +++ b/apps/files/l10n/el.php @@ -40,7 +40,6 @@ $TRANSLATIONS = array( "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" => "Μη έγκυρο όνομα φακέλου. Η χρήση του 'Κοινόχρηστος' χρησιμοποιείται από ο Owncloud", "Name" => "Όνομα", "Size" => "Μέγεθος", "Modified" => "Τροποποιήθηκε", diff --git a/apps/files/l10n/eo.php b/apps/files/l10n/eo.php index 0f404fa29fa..59ac4e1c398 100644 --- a/apps/files/l10n/eo.php +++ b/apps/files/l10n/eo.php @@ -38,7 +38,6 @@ $TRANSLATIONS = array( "Your storage is full, files can not be updated or synced anymore!" => "Via memoro plenas, ne plu eblas ĝisdatigi aŭ sinkronigi dosierojn!", "Your storage is almost full ({usedSpacePercent}%)" => "Via memoro preskaŭ plenas ({usedSpacePercent}%)", "Your download is being prepared. This might take some time if the files are big." => "Via elŝuto pretiĝatas. Ĉi tio povas daŭri iom da tempo se la dosieroj grandas.", -"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Nevalida dosierujnomo. Uzo de “Shared” rezervatas de Owncloud.", "Name" => "Nomo", "Size" => "Grando", "Modified" => "Modifita", diff --git a/apps/files/l10n/es.php b/apps/files/l10n/es.php index 2672b169549..415d23ae890 100644 --- a/apps/files/l10n/es.php +++ b/apps/files/l10n/es.php @@ -40,7 +40,6 @@ $TRANSLATIONS = array( "Your storage is full, files can not be updated or synced anymore!" => "Su almacenamiento está lleno, ¡no se pueden actualizar o sincronizar más!", "Your storage is almost full ({usedSpacePercent}%)" => "Su almacenamiento está casi lleno ({usedSpacePercent}%)", "Your download is being prepared. This might take some time if the files are big." => "Su descarga está siendo preparada. Esto puede tardar algún tiempo si los archivos son grandes.", -"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Nombre de carpeta no es válido. El uso de \"Shared\" está reservado por Owncloud", "Name" => "Nombre", "Size" => "Tamaño", "Modified" => "Modificado", diff --git a/apps/files/l10n/es_AR.php b/apps/files/l10n/es_AR.php index 5e94da3c437..4c0eb691f67 100644 --- a/apps/files/l10n/es_AR.php +++ b/apps/files/l10n/es_AR.php @@ -40,7 +40,6 @@ $TRANSLATIONS = array( "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 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", "Modified" => "Modificado", diff --git a/apps/files/l10n/et_EE.php b/apps/files/l10n/et_EE.php index 2a5016f3807..13198a9f881 100644 --- a/apps/files/l10n/et_EE.php +++ b/apps/files/l10n/et_EE.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "Your storage is almost full ({usedSpacePercent}%)" => "Su andmemaht on peaaegu täis ({usedSpacePercent}%)", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "Krüpteering on keelatud, kuid sinu failid on endiselt krüpteeritud. Palun vaata oma personaalseid seadeid oma failide dekrüpteerimiseks.", "Your download is being prepared. This might take some time if the files are big." => "Valmistatakse allalaadimist. See võib võtta veidi aega, kui on tegu suurte failidega. ", -"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Vigane kataloogi nimi. 'Shared' kasutamine on reserveeritud ownCloud poolt.", "Name" => "Nimi", "Size" => "Suurus", "Modified" => "Muudetud", diff --git a/apps/files/l10n/eu.php b/apps/files/l10n/eu.php index 140261b6c15..359b40ddefd 100644 --- a/apps/files/l10n/eu.php +++ b/apps/files/l10n/eu.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "Your storage is almost full ({usedSpacePercent}%)" => "Zure biltegiratzea nahiko beterik dago (%{usedSpacePercent})", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "Enkriptazioa desgaitua izan da baina zure fitxategiak oraindik enkriptatuta daude. Mesedez jo zure ezarpen pertsonaletara zure fitxategiak dekodifikatzeko.", "Your download is being prepared. This might take some time if the files are big." => "Zure deskarga prestatu egin behar da. Denbora bat har lezake fitxategiak handiak badira. ", -"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Baliogabeako karpeta izena. 'Shared' izena Owncloudek erreserbatzen du", "Name" => "Izena", "Size" => "Tamaina", "Modified" => "Aldatuta", diff --git a/apps/files/l10n/fa.php b/apps/files/l10n/fa.php index 96332921cff..e0b9fe02816 100644 --- a/apps/files/l10n/fa.php +++ b/apps/files/l10n/fa.php @@ -40,7 +40,6 @@ $TRANSLATIONS = array( "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" => "نام پوشه نامعتبر است. استفاده از \" به اشتراک گذاشته شده \" متعلق به سایت Owncloud است.", "Name" => "نام", "Size" => "اندازه", "Modified" => "تاریخ", diff --git a/apps/files/l10n/fr.php b/apps/files/l10n/fr.php index 60064134498..44895eab28e 100644 --- a/apps/files/l10n/fr.php +++ b/apps/files/l10n/fr.php @@ -40,7 +40,6 @@ $TRANSLATIONS = array( "Your storage is full, files can not be updated or synced anymore!" => "Votre espage de stockage est plein, les fichiers ne peuvent plus être téléversés ou synchronisés !", "Your storage is almost full ({usedSpacePercent}%)" => "Votre espace de stockage est presque plein ({usedSpacePercent}%)", "Your download is being prepared. This might take some time if the files are big." => "Votre téléchargement est cours de préparation. Ceci peut nécessiter un certain temps si les fichiers sont volumineux.", -"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Nom de dossier invalide. L'utilisation du mot 'Shared' est réservée à Owncloud", "Name" => "Nom", "Size" => "Taille", "Modified" => "Modifié", diff --git a/apps/files/l10n/gl.php b/apps/files/l10n/gl.php index 98274ed751a..c98263c08ff 100644 --- a/apps/files/l10n/gl.php +++ b/apps/files/l10n/gl.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "Your storage is almost full ({usedSpacePercent}%)" => "O seu espazo de almacenamento está case cheo ({usedSpacePercent}%)", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "O cifrado foi desactivado, mais os ficheiros están cifrados. Vaia á configuración persoal para descifrar os ficheiros.", "Your download is being prepared. This might take some time if the files are big." => "Está a prepararse a súa descarga. Isto pode levar bastante tempo se os ficheiros son grandes.", -"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Nome de cartafol incorrecto. O uso de «Shared» está reservado por Owncloud", "Name" => "Nome", "Size" => "Tamaño", "Modified" => "Modificado", diff --git a/apps/files/l10n/hu_HU.php b/apps/files/l10n/hu_HU.php index 63efe031da8..e8d3b8c8676 100644 --- a/apps/files/l10n/hu_HU.php +++ b/apps/files/l10n/hu_HU.php @@ -40,7 +40,6 @@ $TRANSLATIONS = array( "Your storage is full, files can not be updated or synced anymore!" => "A tároló tele van, a fájlok nem frissíthetőek vagy szinkronizálhatóak a jövőben.", "Your storage is almost full ({usedSpacePercent}%)" => "A tároló majdnem tele van ({usedSpacePercent}%)", "Your download is being prepared. This might take some time if the files are big." => "Készül a letöltendő állomány. Ez eltarthat egy ideig, ha nagyok a fájlok.", -"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Érvénytelen mappanév. A név használata csak a Owncloud számára lehetséges.", "Name" => "Név", "Size" => "Méret", "Modified" => "Módosítva", diff --git a/apps/files/l10n/id.php b/apps/files/l10n/id.php index 0f7aac5a228..84d9ba2020f 100644 --- a/apps/files/l10n/id.php +++ b/apps/files/l10n/id.php @@ -37,7 +37,6 @@ $TRANSLATIONS = array( "Your storage is full, files can not be updated or synced anymore!" => "Ruang penyimpanan Anda penuh, berkas tidak dapat diperbarui atau disinkronkan lagi!", "Your storage is almost full ({usedSpacePercent}%)" => "Ruang penyimpanan hampir penuh ({usedSpacePercent}%)", "Your download is being prepared. This might take some time if the files are big." => "Unduhan Anda sedang disiapkan. Prosesnya dapat berlangsung agak lama jika ukuran berkasnya besar.", -"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Nama folder salah. Nama 'Shared' telah digunakan oleh Owncloud.", "Name" => "Nama", "Size" => "Ukuran", "Modified" => "Dimodifikasi", diff --git a/apps/files/l10n/is.php b/apps/files/l10n/is.php index aee213691e0..36116001bce 100644 --- a/apps/files/l10n/is.php +++ b/apps/files/l10n/is.php @@ -31,7 +31,6 @@ $TRANSLATIONS = array( "'.' is an invalid file name." => "'.' er ekki leyfilegt nafn.", "File name cannot be empty." => "Nafn skráar má ekki vera tómt", "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Ógilt nafn, táknin '\\', '/', '<', '>', ':', '\"', '|', '?' og '*' eru ekki leyfð.", -"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Óleyfilegt nafn á möppu. Nafnið 'Shared' er frátekið fyrir Owncloud", "Name" => "Nafn", "Size" => "Stærð", "Modified" => "Breytt", diff --git a/apps/files/l10n/it.php b/apps/files/l10n/it.php index 43323465163..9be317fba99 100644 --- a/apps/files/l10n/it.php +++ b/apps/files/l10n/it.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "Your storage is almost full ({usedSpacePercent}%)" => "Lo spazio di archiviazione è quasi pieno ({usedSpacePercent}%)", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "La cifratura è stata disabilitata ma i tuoi file sono ancora cifrati. Vai nelle impostazioni personali per decifrare i file.", "Your download is being prepared. This might take some time if the files are big." => "Il tuo scaricamento è in fase di preparazione. Ciò potrebbe richiedere del tempo se i file sono grandi.", -"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Nome della cartella non valido. L'uso di 'Shared' è riservato da ownCloud", "Name" => "Nome", "Size" => "Dimensione", "Modified" => "Modificato", diff --git a/apps/files/l10n/ja_JP.php b/apps/files/l10n/ja_JP.php index 2d64212a5f2..902cc82e036 100644 --- a/apps/files/l10n/ja_JP.php +++ b/apps/files/l10n/ja_JP.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "Your storage is almost full ({usedSpacePercent}%)" => "あなたのストレージはほぼ一杯です({usedSpacePercent}%)", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "暗号化の機能は無効化されましたが、ファイルはすでに暗号化されています。個人設定からファイルを複合を行ってください。", "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' の利用は ownCloud が予約済みです。", "Name" => "名前", "Size" => "サイズ", "Modified" => "変更", diff --git a/apps/files/l10n/ka_GE.php b/apps/files/l10n/ka_GE.php index 3205255e39f..3e70d3294c1 100644 --- a/apps/files/l10n/ka_GE.php +++ b/apps/files/l10n/ka_GE.php @@ -37,7 +37,6 @@ $TRANSLATIONS = array( "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'–ის გამოყენება რეზერვირებულია Owncloud–ის მიერ", "Name" => "სახელი", "Size" => "ზომა", "Modified" => "შეცვლილია", diff --git a/apps/files/l10n/ko.php b/apps/files/l10n/ko.php index 7839ad3bd93..f53c9e8e38e 100644 --- a/apps/files/l10n/ko.php +++ b/apps/files/l10n/ko.php @@ -37,7 +37,6 @@ $TRANSLATIONS = array( "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" => "폴더 이름이 유효하지 않습니다. ", "Name" => "이름", "Size" => "크기", "Modified" => "수정됨", diff --git a/apps/files/l10n/lt_LT.php b/apps/files/l10n/lt_LT.php index cae9660ab66..a4dd5008afb 100644 --- a/apps/files/l10n/lt_LT.php +++ b/apps/files/l10n/lt_LT.php @@ -38,7 +38,6 @@ $TRANSLATIONS = array( "Your storage is full, files can not be updated or synced anymore!" => "Jūsų visa vieta serveryje užimta", "Your storage is almost full ({usedSpacePercent}%)" => "Jūsų vieta serveryje beveik visa užimta ({usedSpacePercent}%)", "Your download is being prepared. This might take some time if the files are big." => "Jūsų atsisiuntimas yra paruošiamas. tai gali užtrukti jei atsisiunčiamas didelis failas.", -"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Negalimas aplanko pavadinimas. 'Shared' pavadinimas yra rezervuotas ownCloud", "Name" => "Pavadinimas", "Size" => "Dydis", "Modified" => "Pakeista", diff --git a/apps/files/l10n/lv.php b/apps/files/l10n/lv.php index 9367b0f5a64..b1435b46096 100644 --- a/apps/files/l10n/lv.php +++ b/apps/files/l10n/lv.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "Your storage is almost full ({usedSpacePercent}%)" => "Jūsu krātuve ir gandrīz pilna ({usedSpacePercent}%)", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "Šifrēšana tika atslēgta, tomēr jūsu faili joprojām ir šifrēti. Atšifrēt failus var Personiskajos uzstādījumos.", "Your download is being prepared. This might take some time if the files are big." => "Tiek sagatavota lejupielāde. Tas var aizņemt kādu laiciņu, ja datnes ir lielas.", -"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Nederīgs mapes nosaukums. “Koplietots” izmantojums ir rezervēts ownCloud servisam.", "Name" => "Nosaukums", "Size" => "Izmērs", "Modified" => "Mainīts", diff --git a/apps/files/l10n/nb_NO.php b/apps/files/l10n/nb_NO.php index d76255f522d..72c4153c6ef 100644 --- a/apps/files/l10n/nb_NO.php +++ b/apps/files/l10n/nb_NO.php @@ -40,7 +40,6 @@ $TRANSLATIONS = array( "Your storage is full, files can not be updated or synced anymore!" => "Lagringsplass er oppbrukt, filer kan ikke lenger oppdateres eller synkroniseres!", "Your storage is almost full ({usedSpacePercent}%)" => "Lagringsplass er nesten brukt opp ([usedSpacePercent}%)", "Your download is being prepared. This might take some time if the files are big." => "Nedlastingen din klargjøres. Hvis filene er store kan dette ta litt tid.", -"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Ugyldig mappenavn. Bruk av \"Shared\" er reservert av ownCloud.", "Name" => "Navn", "Size" => "Størrelse", "Modified" => "Endret", diff --git a/apps/files/l10n/nl.php b/apps/files/l10n/nl.php index 6e9ff605f50..422fa8ba130 100644 --- a/apps/files/l10n/nl.php +++ b/apps/files/l10n/nl.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "Your storage is almost full ({usedSpacePercent}%)" => "Uw opslagruimte zit bijna vol ({usedSpacePercent}%)", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "Encryptie is uitgeschakeld maar uw bestanden zijn nog steeds versleuteld. Ga naar uw persoonlijke instellingen om uw bestanden te decoderen.", "Your download is being prepared. This might take some time if the files are big." => "Uw download wordt voorbereid. Dit kan enige tijd duren bij grote bestanden.", -"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Ongeldige mapnaam. Gebruik van'Gedeeld' is voorbehouden aan Owncloud", "Name" => "Naam", "Size" => "Grootte", "Modified" => "Aangepast", diff --git a/apps/files/l10n/nn_NO.php b/apps/files/l10n/nn_NO.php index 0f0ad318740..abaaa5ffe8e 100644 --- a/apps/files/l10n/nn_NO.php +++ b/apps/files/l10n/nn_NO.php @@ -38,7 +38,6 @@ $TRANSLATIONS = array( "Your storage is full, files can not be updated or synced anymore!" => "Lagringa di er full, kan ikkje lenger oppdatera eller synkronisera!", "Your storage is almost full ({usedSpacePercent}%)" => "Lagringa di er nesten full ({usedSpacePercent} %)", "Your download is being prepared. This might take some time if the files are big." => "Gjer klar nedlastinga di. Dette kan ta ei stund viss filene er store.", -"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Ugyldig mappenamn. Mappa «Shared» er reservert av ownCloud", "Name" => "Namn", "Size" => "Storleik", "Modified" => "Endra", diff --git a/apps/files/l10n/pl.php b/apps/files/l10n/pl.php index 813d2ee8e7c..d858248f29f 100644 --- a/apps/files/l10n/pl.php +++ b/apps/files/l10n/pl.php @@ -40,7 +40,6 @@ $TRANSLATIONS = array( "Your storage is full, files can not be updated or synced anymore!" => "Magazyn jest pełny. Pliki nie mogą zostać zaktualizowane lub zsynchronizowane!", "Your storage is almost full ({usedSpacePercent}%)" => "Twój magazyn jest prawie pełny ({usedSpacePercent}%)", "Your download is being prepared. This might take some time if the files are big." => "Pobieranie jest przygotowywane. Może to zająć trochę czasu jeśli pliki są duże.", -"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Nieprawidłowa nazwa folderu. Korzystanie z nazwy „Shared” jest zarezerwowane dla ownCloud", "Name" => "Nazwa", "Size" => "Rozmiar", "Modified" => "Modyfikacja", diff --git a/apps/files/l10n/pt_BR.php b/apps/files/l10n/pt_BR.php index 575df891114..b42b81d040b 100644 --- a/apps/files/l10n/pt_BR.php +++ b/apps/files/l10n/pt_BR.php @@ -40,7 +40,6 @@ $TRANSLATIONS = array( "Your storage is full, files can not be updated or synced anymore!" => "Seu armazenamento está cheio, arquivos não podem mais ser atualizados ou sincronizados!", "Your storage is almost full ({usedSpacePercent}%)" => "Seu armazenamento está quase cheio ({usedSpacePercent}%)", "Your download is being prepared. This might take some time if the files are big." => "Seu download está sendo preparado. Isto pode levar algum tempo se os arquivos forem grandes.", -"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Nome de pasta inválido. O uso de 'Shared' é reservado para o Owncloud", "Name" => "Nome", "Size" => "Tamanho", "Modified" => "Modificado", diff --git a/apps/files/l10n/pt_PT.php b/apps/files/l10n/pt_PT.php index 64110f6704a..50a33de6db3 100644 --- a/apps/files/l10n/pt_PT.php +++ b/apps/files/l10n/pt_PT.php @@ -40,7 +40,6 @@ $TRANSLATIONS = array( "Your storage is full, files can not be updated or synced anymore!" => "O seu armazenamento está cheio, os ficheiros não podem ser sincronizados.", "Your storage is almost full ({usedSpacePercent}%)" => "O seu espaço de armazenamento está quase cheiro ({usedSpacePercent}%)", "Your download is being prepared. This might take some time if the files are big." => "O seu download está a ser preparado. Este processo pode demorar algum tempo se os ficheiros forem grandes.", -"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Nome de pasta inválido. O Uso de 'shared' é reservado para o ownCloud", "Name" => "Nome", "Size" => "Tamanho", "Modified" => "Modificado", diff --git a/apps/files/l10n/ro.php b/apps/files/l10n/ro.php index 85805cf5623..7c78c6f0767 100644 --- a/apps/files/l10n/ro.php +++ b/apps/files/l10n/ro.php @@ -40,7 +40,6 @@ $TRANSLATIONS = array( "Your storage is full, files can not be updated or synced anymore!" => "Spatiul de stocare este plin, nu mai puteti incarca s-au sincroniza alte fisiere.", "Your storage is almost full ({usedSpacePercent}%)" => "Spatiul de stocare este aproape plin ({usedSpacePercent}%)", "Your download is being prepared. This might take some time if the files are big." => "Se pregătește descărcarea. Aceasta poate să dureze ceva timp dacă fișierele sunt mari.", -"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Invalid folder name. Usage of 'Shared' is reserved by Ownclou", "Name" => "Nume", "Size" => "Dimensiune", "Modified" => "Modificat", diff --git a/apps/files/l10n/ru.php b/apps/files/l10n/ru.php index fe771d2b571..782817be0ae 100644 --- a/apps/files/l10n/ru.php +++ b/apps/files/l10n/ru.php @@ -40,7 +40,6 @@ $TRANSLATIONS = array( "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" => "Изменён", diff --git a/apps/files/l10n/sk_SK.php b/apps/files/l10n/sk_SK.php index 41ff4fe25da..9c845794485 100644 --- a/apps/files/l10n/sk_SK.php +++ b/apps/files/l10n/sk_SK.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "Your storage is almost full ({usedSpacePercent}%)" => "Vaše úložisko je takmer plné ({usedSpacePercent}%)", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "Šifrovanie bolo zakázané, ale vaše súbory sú stále zašifrované. Prosím, choďte do osobného nastavenia pre dešifrovanie súborov.", "Your download is being prepared. This might take some time if the files are big." => "Vaše sťahovanie sa pripravuje. Ak sú sťahované súbory veľké, môže to chvíľu trvať.", -"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Neplatné meno priečinka. Používanie mena 'Shared' je vyhradené len pre Owncloud", "Name" => "Názov", "Size" => "Veľkosť", "Modified" => "Upravené", diff --git a/apps/files/l10n/sl.php b/apps/files/l10n/sl.php index 9922a0be7ee..79296c80492 100644 --- a/apps/files/l10n/sl.php +++ b/apps/files/l10n/sl.php @@ -40,7 +40,6 @@ $TRANSLATIONS = array( "Your storage is full, files can not be updated or synced anymore!" => "Shramba je povsem napolnjena. Datotek ni več mogoče posodabljati in usklajevati!", "Your storage is almost full ({usedSpacePercent}%)" => "Mesto za shranjevanje je skoraj polno ({usedSpacePercent}%)", "Your download is being prepared. This might take some time if the files are big." => "Postopek priprave datoteke za prejem je lahko dolgotrajen, če je datoteka zelo velika.", -"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Neveljavno ime mape. Uporaba oznake \"Souporaba\" je zadržan za sistem ownCloud.", "Name" => "Ime", "Size" => "Velikost", "Modified" => "Spremenjeno", diff --git a/apps/files/l10n/sq.php b/apps/files/l10n/sq.php index 34250b56c3e..838bcc5ef23 100644 --- a/apps/files/l10n/sq.php +++ b/apps/files/l10n/sq.php @@ -37,7 +37,6 @@ $TRANSLATIONS = array( "Your storage is full, files can not be updated or synced anymore!" => "Hapësira juaj e memorizimit është plot, nuk mund të ngarkoni apo sinkronizoni më skedarët.", "Your storage is almost full ({usedSpacePercent}%)" => "Hapësira juaj e memorizimit është gati plot ({usedSpacePercent}%)", "Your download is being prepared. This might take some time if the files are big." => "Shkarkimi juaj po përgatitet. Mund të duhet pak kohë nqse skedarët janë të mëdhenj.", -"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Emri i dosjes është i pavlefshëm. Përdorimi i \"Shared\" është i rezervuar nga Owncloud-i.", "Name" => "Emri", "Size" => "Dimensioni", "Modified" => "Modifikuar", diff --git a/apps/files/l10n/sr.php b/apps/files/l10n/sr.php index d73188d483c..d4dcbd14ee5 100644 --- a/apps/files/l10n/sr.php +++ b/apps/files/l10n/sr.php @@ -37,7 +37,6 @@ $TRANSLATIONS = array( "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“ је резервисана за ownCloud.", "Name" => "Име", "Size" => "Величина", "Modified" => "Измењено", diff --git a/apps/files/l10n/sv.php b/apps/files/l10n/sv.php index d9010bc0f53..0f72443a5f9 100644 --- a/apps/files/l10n/sv.php +++ b/apps/files/l10n/sv.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "Your storage is almost full ({usedSpacePercent}%)" => "Ditt lagringsutrymme är nästan fullt ({usedSpacePercent}%)", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "Kryptering inaktiverades men dina filer är fortfarande krypterade. Vänligen gå till sidan för dina personliga inställningar för att dekryptera dina filer.", "Your download is being prepared. This might take some time if the files are big." => "Din nedladdning förbereds. Det kan ta tid om det är stora filer.", -"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Ogiltigt mappnamn. Användande av 'Shared' är reserverat av ownCloud", "Name" => "Namn", "Size" => "Storlek", "Modified" => "Ändrad", diff --git a/apps/files/l10n/th_TH.php b/apps/files/l10n/th_TH.php index c101398918e..ac2da6aed91 100644 --- a/apps/files/l10n/th_TH.php +++ b/apps/files/l10n/th_TH.php @@ -36,7 +36,6 @@ $TRANSLATIONS = array( "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" => "ชื่อโฟลเดอร์ไม่ถูกต้อง การใช้งาน 'แชร์' สงวนไว้สำหรับ Owncloud เท่านั้น", "Name" => "ชื่อ", "Size" => "ขนาด", "Modified" => "แก้ไขแล้ว", diff --git a/apps/files/l10n/tr.php b/apps/files/l10n/tr.php index 661e8572e8f..650e4ead88c 100644 --- a/apps/files/l10n/tr.php +++ b/apps/files/l10n/tr.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "Your storage is almost full ({usedSpacePercent}%)" => "Depolama alanınız neredeyse dolu ({usedSpacePercent}%)", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "Şifreleme işlemi durduruldu ancak dosyalarınız şifreli. Dosyalarınızın şifresini kaldırmak için lütfen kişisel ayarlar kısmına geçiniz.", "Your download is being prepared. This might take some time if the files are big." => "İndirmeniz hazırlanıyor. Dosya büyük ise biraz zaman alabilir.", -"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Geçersiz dizin adı. Shared isminin kullanımı Owncloud tarafından rezerver edilmiştir.", "Name" => "İsim", "Size" => "Boyut", "Modified" => "Değiştirilme", diff --git a/apps/files/l10n/uk.php b/apps/files/l10n/uk.php index f34383d969d..49747caef19 100644 --- a/apps/files/l10n/uk.php +++ b/apps/files/l10n/uk.php @@ -37,7 +37,6 @@ $TRANSLATIONS = array( "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\" зарезервовано Owncloud", "Name" => "Ім'я", "Size" => "Розмір", "Modified" => "Змінено", diff --git a/apps/files/l10n/vi.php b/apps/files/l10n/vi.php index ae5b152ed08..9c6e1c2a57b 100644 --- a/apps/files/l10n/vi.php +++ b/apps/files/l10n/vi.php @@ -37,7 +37,6 @@ $TRANSLATIONS = array( "Your storage is full, files can not be updated or synced anymore!" => "Your storage is full, files can not be updated or synced anymore!", "Your storage is almost full ({usedSpacePercent}%)" => "Your storage is almost full ({usedSpacePercent}%)", "Your download is being prepared. This might take some time if the files are big." => "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" => "Invalid folder name. Usage of 'Shared' is reserved by Owncloud", "Name" => "Tên", "Size" => "Kích cỡ", "Modified" => "Thay đổi", diff --git a/apps/files/l10n/zh_CN.php b/apps/files/l10n/zh_CN.php index 495e9d9d9dd..ad9733f059a 100644 --- a/apps/files/l10n/zh_CN.php +++ b/apps/files/l10n/zh_CN.php @@ -40,7 +40,6 @@ $TRANSLATIONS = array( "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" => "无效文件夹名。'共享' 是 Owncloud 预留的文件夹名。", "Name" => "名称", "Size" => "大小", "Modified" => "修改日期", diff --git a/apps/files/l10n/zh_TW.php b/apps/files/l10n/zh_TW.php index b96b02e5d93..5cca3e0fd85 100644 --- a/apps/files/l10n/zh_TW.php +++ b/apps/files/l10n/zh_TW.php @@ -32,20 +32,20 @@ $TRANSLATIONS = array( "cancel" => "取消", "replaced {new_name} with {old_name}" => "使用 {new_name} 取代 {old_name}", "undo" => "復原", -"_Uploading %n file_::_Uploading %n files_" => array(""), +"_Uploading %n file_::_Uploading %n files_" => array("%n 個檔案正在上傳"), "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}%)", +"Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "加密已經被停用,但是您的舊檔案還是處於已加密的狀態,請前往個人設定以解密這些檔案。", "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' 的使用被 ownCloud 保留", "Name" => "名稱", "Size" => "大小", "Modified" => "修改", -"_%n folder_::_%n folders_" => array(""), -"_%n file_::_%n files_" => array(""), +"_%n folder_::_%n folders_" => array("%n 個資料夾"), +"_%n file_::_%n files_" => array("%n 個檔案"), "%s could not be renamed" => "無法重新命名 %s", "Upload" => "上傳", "File handling" => "檔案處理", diff --git a/apps/files_sharing/l10n/zh_TW.php b/apps/files_sharing/l10n/zh_TW.php index b950cbf8c9e..56d67ea7ce7 100644 --- a/apps/files_sharing/l10n/zh_TW.php +++ b/apps/files_sharing/l10n/zh_TW.php @@ -1,7 +1,14 @@ "請檢查您的密碼並再試一次。", "Password" => "密碼", "Submit" => "送出", +"Sorry, this link doesn’t seem to work anymore." => "抱歉,這連結看來已經不能用了。", +"Reasons might be:" => "可能的原因:", +"the item was removed" => "項目已經移除", +"the link expired" => "連結過期", +"sharing is disabled" => "分享功能已停用", +"For more info, please ask the person who sent this link." => "請詢問告訴您此連結的人以瞭解更多", "%s shared the folder %s with you" => "%s 和您分享了資料夾 %s ", "%s shared the file %s with you" => "%s 和您分享了檔案 %s", "Download" => "下載", diff --git a/apps/files_trashbin/l10n/zh_TW.php b/apps/files_trashbin/l10n/zh_TW.php index ab6b75c5784..2dfc484fc7f 100644 --- a/apps/files_trashbin/l10n/zh_TW.php +++ b/apps/files_trashbin/l10n/zh_TW.php @@ -1,17 +1,18 @@ "無法永久刪除 %s", -"Couldn't restore %s" => "無法復原 %s", -"perform restore operation" => "進行復原動作", +"Couldn't restore %s" => "無法還原 %s", +"perform restore operation" => "進行還原動作", "Error" => "錯誤", "delete file permanently" => "永久刪除檔案", "Delete permanently" => "永久刪除", "Name" => "名稱", "Deleted" => "已刪除", -"_%n folder_::_%n folders_" => array(""), -"_%n file_::_%n files_" => array(""), +"_%n folder_::_%n folders_" => array("%n 個資料夾"), +"_%n file_::_%n files_" => array("%n 個檔案"), +"restored" => "已還原", "Nothing in here. Your trash bin is empty!" => "您的垃圾桶是空的!", -"Restore" => "復原", +"Restore" => "還原", "Delete" => "刪除", "Deleted Files" => "已刪除的檔案" ); diff --git a/apps/files_versions/l10n/zh_TW.php b/apps/files_versions/l10n/zh_TW.php index 55a3dca3c32..9b8900fd8e1 100644 --- a/apps/files_versions/l10n/zh_TW.php +++ b/apps/files_versions/l10n/zh_TW.php @@ -2,6 +2,9 @@ $TRANSLATIONS = array( "Could not revert: %s" => "無法還原:%s", "Versions" => "版本", +"Failed to revert {file} to revision {timestamp}." => "無法還原檔案 {file} 至版本 {timestamp}", +"More versions..." => "更多版本…", +"No other versions available" => "沒有其他版本了", "Restore" => "復原" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/apps/user_ldap/l10n/ca.php b/apps/user_ldap/l10n/ca.php index 338317baad7..455ad62d84c 100644 --- a/apps/user_ldap/l10n/ca.php +++ b/apps/user_ldap/l10n/ca.php @@ -30,8 +30,11 @@ $TRANSLATIONS = array( "Password" => "Contrasenya", "For anonymous access, leave DN and Password empty." => "Per un accés anònim, deixeu la DN i la contrasenya en blanc.", "User Login Filter" => "Filtre d'inici de sessió d'usuari", +"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action. Example: \"uid=%%uid\"" => "Defineix el filtre a aplicar quan s'intenta iniciar la sessió. %%uid reemplaça el nom d'usuari en l'acció d'inici de sessió. Per exemple: \"uid=%%uid\"", "User List Filter" => "Llista de filtres d'usuari", +"Defines the filter to apply, when retrieving users (no placeholders). Example: \"objectClass=person\"" => "Defineix el filtre a aplicar quan es mostren usuaris (no textos variables). Per exemple: \"objectClass=person\"", "Group Filter" => "Filtre de grup", +"Defines the filter to apply, when retrieving groups (no placeholders). Example: \"objectClass=posixGroup\"" => "Defineix el filtre a aplicar quan es mostren grups (no textos variables). Per exemple: \"objectClass=posixGroup\"", "Connection Settings" => "Arranjaments de connexió", "Configuration Active" => "Configuració activa", "When unchecked, this configuration will be skipped." => "Si està desmarcat, aquesta configuració s'ometrà.", @@ -45,6 +48,7 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "No ho useu adicionalment per a conexions LDAPS, fallarà.", "Case insensitve LDAP server (Windows)" => "Servidor LDAP sense distinció entre majúscules i minúscules (Windows)", "Turn off SSL certificate validation." => "Desactiva la validació de certificat SSL.", +"Not recommended, use it for testing only! If connection only works with this option, import the LDAP server's SSL certificate in your %s server." => "No es recomana, useu-ho només com a prova! Importeu el certificat SSL del servidor LDAP al servidor %s només si la connexió funciona amb aquesta opció.", "Cache Time-To-Live" => "Memòria de cau Time-To-Live", "in seconds. A change empties the cache." => "en segons. Un canvi buidarà la memòria de cau.", "Directory Settings" => "Arranjaments de carpetes", diff --git a/apps/user_ldap/l10n/pt_BR.php b/apps/user_ldap/l10n/pt_BR.php index 88006e1b5d9..9469146d359 100644 --- a/apps/user_ldap/l10n/pt_BR.php +++ b/apps/user_ldap/l10n/pt_BR.php @@ -30,8 +30,11 @@ $TRANSLATIONS = array( "Password" => "Senha", "For anonymous access, leave DN and Password empty." => "Para acesso anônimo, deixe DN e Senha vazios.", "User Login Filter" => "Filtro de Login de Usuário", +"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action. Example: \"uid=%%uid\"" => "Define o filtro a ser aplicado, o login é feito. %%uid substitui o nome do usuário na ação de login. Exemplo: \"uid=%%uid\"", "User List Filter" => "Filtro de Lista de Usuário", +"Defines the filter to apply, when retrieving users (no placeholders). Example: \"objectClass=person\"" => "Define o filtro a ser aplicado, ao recuperar usuários (sem espaços reservados). Exemplo: \"objectClass=person\"", "Group Filter" => "Filtro de Grupo", +"Defines the filter to apply, when retrieving groups (no placeholders). Example: \"objectClass=posixGroup\"" => "Define o filtro a ser aplicado, ao recuperar grupos (sem espaços reservados). Exemplo: \"objectClass=posixGroup\"", "Connection Settings" => "Configurações de Conexão", "Configuration Active" => "Configuração ativa", "When unchecked, this configuration will be skipped." => "Quando não marcada, esta configuração será ignorada.", @@ -45,6 +48,7 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "Não use adicionalmente para conexões LDAPS, pois falhará.", "Case insensitve LDAP server (Windows)" => "Servidor LDAP sensível à caixa alta (Windows)", "Turn off SSL certificate validation." => "Desligar validação de certificado SSL.", +"Not recommended, use it for testing only! If connection only works with this option, import the LDAP server's SSL certificate in your %s server." => "Não recomendado, use-o somente para teste! Se a conexão só funciona com esta opção, importar o certificado SSL do servidor LDAP em seu servidor %s.", "Cache Time-To-Live" => "Cache Time-To-Live", "in seconds. A change empties the cache." => "em segundos. Uma mudança esvaziará o cache.", "Directory Settings" => "Configurações de Diretório", diff --git a/apps/user_ldap/l10n/zh_TW.php b/apps/user_ldap/l10n/zh_TW.php index 38bed895742..2cc1ac99336 100644 --- a/apps/user_ldap/l10n/zh_TW.php +++ b/apps/user_ldap/l10n/zh_TW.php @@ -3,56 +3,59 @@ $TRANSLATIONS = array( "Failed to clear the mappings." => "清除映射失敗", "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的記錄檔。", +"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?" => "維持設定嗎?", +"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: The PHP LDAP module is not installed, the backend will not work. Please ask your system administrator to install it." => "警告:沒有安裝 PHP LDAP 模組,後端系統將無法運作。請要求您的系統管理員安裝模組。", +"Do you really want to delete the current Server Configuration?" => "您真的要刪除現在的伺服器設定嗎?", +"Confirm Deletion" => "確認刪除", +"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", +"You can omit the protocol, except you require SSL. Then start with ldaps://" => "若您不需要 SSL 加密連線則不需輸入通訊協定,反之請輸入 ldaps://", +"Base DN" => "Base DN", +"One Base DN per line" => "一行一個 Base DN", +"You can specify Base DN for users and groups in the Advanced tab" => "您可以在進階標籤頁裡面指定使用者及群組的 Base DN", +"User DN" => "User 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" => "使用者登入過濾器", -"User List Filter" => "使用者名單篩選器", -"Group Filter" => "群組篩選器", +"For anonymous access, leave DN and Password empty." => "匿名連接時請將 DN 與密碼欄位留白", +"User Login Filter" => "User Login Filter", +"User List Filter" => "User List Filter", +"Group Filter" => "Group Filter", "Connection Settings" => "連線設定", -"Configuration Active" => "設定為主動模式", +"Configuration Active" => "設定使用中", "When unchecked, this configuration will be skipped." => "沒有被勾選時,此設定會被略過。", -"Port" => "連接阜", +"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" => "備用(複本)連接阜", +"Give an optional backup host. It must be a replica of the main LDAP/AD server." => "可以選擇性設定備用主機,必須是 LDAP/AD 中央伺服器的複本。", +"Backup (Replica) Port" => "備用(複本)連接埠", "Disable Main Server" => "停用主伺服器", -"Use TLS" => "使用TLS", -"Case insensitve LDAP server (Windows)" => "不區分大小寫的LDAP伺服器(Windows)", -"Turn off SSL certificate validation." => "關閉 SSL 憑證驗證", +"Use TLS" => "使用 TLS", +"Do not use it additionally for LDAPS connections, it will fail." => "不要同時與 LDAPS 使用,會有問題。", +"Case insensitve LDAP server (Windows)" => "不區分大小寫的 LDAP 伺服器 (Windows)", +"Turn off SSL certificate validation." => "關閉 SSL 憑證檢查", "Cache Time-To-Live" => "快取的存活時間", -"in seconds. A change empties the cache." => "以秒為單位。更變後會清空快取。", -"Directory Settings" => "目錄選項", -"User Display Name Field" => "使用者名稱欄位", -"Base User Tree" => "Base使用者數", -"One User Base DN per line" => "一行一個使用者Base DN", -"User Search Attributes" => "使用者搜索屬性", -"Optional; one attribute per line" => "可選的; 一行一項屬性", +"in seconds. A change empties the cache." => "以秒為單位。變更後會清空快取。", +"Directory Settings" => "目錄設定", +"User Display Name Field" => "使用者顯示名稱欄位", +"Base User Tree" => "Base User Tree", +"One User Base DN per line" => "一行一個使用者 Base DN", +"User Search Attributes" => "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" => "群組成員的關係", +"Base Group Tree" => "Base Group Tree", +"One Group Base DN per line" => "一行一個 Group Base DN", +"Group Search Attributes" => "Group Search Attributes", +"Group-Member association" => "Group-Member association", "Special Attributes" => "特殊屬性", "Quota Field" => "配額欄位", "Quota Default" => "預設配額", diff --git a/core/l10n/de_CH.php b/core/l10n/de_CH.php index 3e622ace6f6..d93158c62de 100644 --- a/core/l10n/de_CH.php +++ b/core/l10n/de_CH.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "Dezember", "Settings" => "Einstellungen", "seconds ago" => "Gerade eben", -"_%n minute ago_::_%n minutes ago_" => array("",""), -"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n minute ago_::_%n minutes ago_" => array("Vor %n Minute","Vor %n Minuten"), +"_%n hour ago_::_%n hours ago_" => array("Vor %n Stunde","Vor %n Stunden"), "today" => "Heute", "yesterday" => "Gestern", -"_%n day ago_::_%n days ago_" => array("",""), +"_%n day ago_::_%n days ago_" => array("Vor %n Tag","Vor %n Tagen"), "last month" => "Letzten Monat", -"_%n month ago_::_%n months ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("Vor %n Monat","Vor %n Monaten"), "months ago" => "Vor Monaten", "last year" => "Letztes Jahr", "years ago" => "Vor Jahren", @@ -83,6 +83,7 @@ $TRANSLATIONS = array( "Email sent" => "Email gesendet", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Das Update ist fehlgeschlagen. Bitte melden Sie dieses Problem an die ownCloud Community.", "The update was successful. Redirecting you to ownCloud now." => "Das Update war erfolgreich. Sie werden nun zu ownCloud weitergeleitet.", +"%s password reset" => "%s-Passwort zurücksetzen", "Use the following link to reset your password: {link}" => "Nutzen Sie den nachfolgenden Link, um Ihr Passwort zurückzusetzen: {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 ." => "Der Link zum Rücksetzen Ihres Passworts ist an Ihre E-Mail-Adresse gesendet worde.
    Wenn Sie ihn nicht innerhalb einer vernünftigen Zeitspanne erhalten, prüfen Sie bitte Ihre Spam-Verzeichnisse.
    Wenn er nicht dort ist, fragen Sie Ihren lokalen Administrator.", "Request failed!
    Did you make sure your email/username was right?" => "Anfrage fehlgeschlagen!
    Haben Sie darauf geachtet, dass E-Mail-Adresse/Nutzername korrekt waren?", diff --git a/core/l10n/ko.php b/core/l10n/ko.php index 4c2d33e3010..c4b6b9f091b 100644 --- a/core/l10n/ko.php +++ b/core/l10n/ko.php @@ -29,13 +29,13 @@ $TRANSLATIONS = array( "December" => "12월", "Settings" => "설정", "seconds ago" => "초 전", -"_%n minute ago_::_%n minutes ago_" => array(""), -"_%n hour ago_::_%n hours ago_" => array(""), +"_%n minute ago_::_%n minutes ago_" => array("%n분 전 "), +"_%n hour ago_::_%n hours ago_" => array("%n시간 전 "), "today" => "오늘", "yesterday" => "어제", -"_%n day ago_::_%n days ago_" => array(""), +"_%n day ago_::_%n days ago_" => array("%n일 전 "), "last month" => "지난 달", -"_%n month ago_::_%n months ago_" => array(""), +"_%n month ago_::_%n months ago_" => array("%n달 전 "), "months ago" => "개월 전", "last year" => "작년", "years ago" => "년 전", diff --git a/core/l10n/lt_LT.php b/core/l10n/lt_LT.php index 00e47488531..84678c1c208 100644 --- a/core/l10n/lt_LT.php +++ b/core/l10n/lt_LT.php @@ -1,5 +1,6 @@ "%s pasidalino »%s« su tavimi", "Category type not provided." => "Kategorija nenurodyta.", "No category to add?" => "Nepridėsite jokios kategorijos?", "This category already exists: %s" => "Ši kategorija jau egzistuoja: %s", @@ -29,13 +30,13 @@ $TRANSLATIONS = array( "December" => "Gruodis", "Settings" => "Nustatymai", "seconds ago" => "prieš sekundę", -"_%n minute ago_::_%n minutes ago_" => array("","",""), -"_%n hour ago_::_%n hours ago_" => array("","",""), +"_%n minute ago_::_%n minutes ago_" => array(" prieš %n minutę"," prieš %n minučių"," prieš %n minučių"), +"_%n hour ago_::_%n hours ago_" => array("prieš %n valandą","prieš %n valandų","prieš %n valandų"), "today" => "šiandien", "yesterday" => "vakar", "_%n day ago_::_%n days ago_" => array("","",""), "last month" => "praeitą mėnesį", -"_%n month ago_::_%n months ago_" => array("","",""), +"_%n month ago_::_%n months ago_" => array("prieš %n mėnesį","prieš %n mėnesius","prieš %n mėnesių"), "months ago" => "prieš mėnesį", "last year" => "praeitais metais", "years ago" => "prieš metus", @@ -81,11 +82,13 @@ $TRANSLATIONS = array( "Email sent" => "Laiškas išsiųstas", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Atnaujinimas buvo nesėkmingas. PApie tai prašome pranešti the ownCloud bendruomenei.", "The update was successful. Redirecting you to ownCloud now." => "Atnaujinimas buvo sėkmingas. Nukreipiame į jūsų ownCloud.", +"%s password reset" => "%s slaptažodžio atnaujinimas", "Use the following link to reset your password: {link}" => "Slaptažodio atkūrimui naudokite šią nuorodą: {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 ." => "Nuorodą su jūsų slaptažodžio atkūrimu buvo nusiųsta jums į paštą.
    Jei jo negausite per atitinkamą laiką, pasižiūrėkite brukalo aplankale.
    Jei jo ir ten nėra, teiraukitės administratoriaus.", "Request failed!
    Did you make sure your email/username was right?" => "Klaida!
    Ar tikrai jūsų el paštas/vartotojo vardas buvo teisingi?", "You will receive a link to reset your password via Email." => "Elektroniniu paštu gausite nuorodą, su kuria galėsite iš naujo nustatyti slaptažodį.", "Username" => "Prisijungimo vardas", +"Yes, I really want to reset my password now" => "Taip, aš tikrai noriu atnaujinti slaptažodį", "Request reset" => "Prašyti nustatymo iš najo", "Your password was reset" => "Jūsų slaptažodis buvo nustatytas iš naujo", "To login page" => "Į prisijungimo puslapį", @@ -118,6 +121,7 @@ $TRANSLATIONS = array( "Finish setup" => "Baigti diegimą", "%s is available. Get more information on how to update." => "%s yra prieinama. Gaukite daugiau informacijos apie atnaujinimą.", "Log out" => "Atsijungti", +"More apps" => "Daugiau programų", "Automatic logon rejected!" => "Automatinis prisijungimas atmestas!", "If you did not change your password recently, your account may be compromised!" => "Jei paskutinių metu nekeitėte savo slaptažodžio, Jūsų paskyra gali būti pavojuje!", "Please change your password to secure your account again." => "Prašome pasikeisti slaptažodį dar kartą, dėl paskyros saugumo.", diff --git a/core/l10n/zh_TW.php b/core/l10n/zh_TW.php index d2cbb7a8fd3..e1493452d86 100644 --- a/core/l10n/zh_TW.php +++ b/core/l10n/zh_TW.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "十二月", "Settings" => "設定", "seconds ago" => "幾秒前", -"_%n minute ago_::_%n minutes ago_" => array(""), -"_%n hour ago_::_%n hours ago_" => array(""), +"_%n minute ago_::_%n minutes ago_" => array("%n 分鐘前"), +"_%n hour ago_::_%n hours ago_" => array("%n 小時前"), "today" => "今天", "yesterday" => "昨天", -"_%n day ago_::_%n days ago_" => array(""), +"_%n day ago_::_%n days ago_" => array("%n 天前"), "last month" => "上個月", -"_%n month ago_::_%n months ago_" => array(""), +"_%n month ago_::_%n months ago_" => array("%n 個月前"), "months ago" => "幾個月前", "last year" => "去年", "years ago" => "幾年前", @@ -83,6 +83,7 @@ $TRANSLATIONS = array( "Email sent" => "Email 已寄出", "The update was unsuccessful. Please report this issue to the ownCloud community." => "升級失敗,請將此問題回報 ownCloud 社群。", "The update was successful. Redirecting you to ownCloud now." => "升級成功,正將您重新導向至 ownCloud 。", +"%s password reset" => "%s 密碼重設", "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?" => "請求失敗!
    您確定填入的電子郵件地址或是帳號名稱是正確的嗎?", @@ -125,6 +126,7 @@ $TRANSLATIONS = array( "Finish setup" => "完成設定", "%s is available. Get more information on how to update." => "%s 已經釋出,瞭解更多資訊以進行更新。", "Log out" => "登出", +"More apps" => "更多 Apps", "Automatic logon rejected!" => "自動登入被拒!", "If you did not change your password recently, your account may be compromised!" => "如果您最近並未更改密碼,您的帳號可能已經遭到入侵!", "Please change your password to secure your account again." => "請更改您的密碼以再次取得您帳戶的控制權。", diff --git a/l10n/af_ZA/core.po b/l10n/af_ZA/core.po index 5673ceabd33..aedec216127 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "" @@ -193,23 +218,23 @@ msgstr "" msgid "years ago" msgstr "" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "" diff --git a/l10n/af_ZA/files.po b/l10n/af_ZA/files.po index 6ebf523c19f..460b687ed7d 100644 --- a/l10n/af_ZA/files.po +++ b/l10n/af_ZA/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "" @@ -196,29 +195,25 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/ar/core.po b/l10n/ar/core.po index a89b43a8722..c06bc5e8584 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "نوع التصنيف لم يدخل" @@ -209,23 +234,23 @@ msgstr "السنةالماضية" msgid "years ago" msgstr "سنة مضت" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "اختيار" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "نعم" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "لا" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "موافق" diff --git a/l10n/ar/files.po b/l10n/ar/files.po index e9f43521101..c814f86a38a 100644 --- a/l10n/ar/files.po +++ b/l10n/ar/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "" msgid "Upload cancelled." msgstr "تم إلغاء عملية رفع الملفات ." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "عملية رفع الملفات قيد التنفيذ. اغلاق الصفحة سوف يلغي عملية رفع الملفات." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "عنوان ال URL لا يجوز أن يكون فارغا." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "خطأ" @@ -200,23 +199,19 @@ msgid "" "big." msgstr "جاري تجهيز عملية التحميل. قد تستغرق بعض الوقت اذا كان حجم الملفات كبير." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "إسم مجلد غير صحيح. استخدام مصطلح \"Shared\" محجوز للنظام" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "اسم" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "حجم" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "معدل" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" @@ -226,7 +221,7 @@ msgstr[3] "" msgstr[4] "" msgstr[5] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/be/core.po b/l10n/be/core.po index a0b09af764b..c474afadeee 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "" @@ -201,23 +226,23 @@ msgstr "" msgid "years ago" msgstr "" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "" diff --git a/l10n/be/files.po b/l10n/be/files.po index dab1498b5ce..69819ec5ac3 100644 --- a/l10n/be/files.po +++ b/l10n/be/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "" @@ -198,23 +197,19 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" @@ -222,7 +217,7 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/bg_BG/core.po b/l10n/bg_BG/core.po index 0a88faaffc1..641f5322a74 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "" @@ -193,23 +218,23 @@ msgstr "последната година" msgid "years ago" msgstr "последните години" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Да" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Не" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Добре" diff --git a/l10n/bg_BG/files.po b/l10n/bg_BG/files.po index 9224fb6a328..033c103f0e5 100644 --- a/l10n/bg_BG/files.po +++ b/l10n/bg_BG/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "" msgid "Upload cancelled." msgstr "Качването е спряно." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Грешка" @@ -196,29 +195,25 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Име" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Размер" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Променено" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/bn_BD/core.po b/l10n/bn_BD/core.po index b4dcaa3e016..29b5dea54e5 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "ক্যাটেগরির ধরণটি প্রদান করা হয় নি।" @@ -193,23 +218,23 @@ msgstr "গত বছর" msgid "years ago" msgstr "বছর পূর্বে" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "বেছে নিন" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "হ্যাঁ" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "না" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "তথাস্তু" diff --git a/l10n/bn_BD/files.po b/l10n/bn_BD/files.po index dfaafb4e100..0422f92b575 100644 --- a/l10n/bn_BD/files.po +++ b/l10n/bn_BD/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "যথেষ্ঠ পরিমাণ স্থান নেই" msgid "Upload cancelled." msgstr "আপলোড বাতিল করা হয়েছে।" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "ফাইল আপলোড চলমান। এই পৃষ্ঠা পরিত্যাগ করলে আপলোড বাতিল করা হবে।" -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "URL ফাঁকা রাখা যাবে না।" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "সমস্যা" @@ -196,29 +195,25 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "ফোল্ডারের নামটি সঠিক নয়। 'ভাগাভাগি করা' শুধুমাত্র Owncloud এর জন্য সংরক্ষিত।" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "রাম" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "আকার" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "পরিবর্তিত" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/bs/core.po b/l10n/bs/core.po index aaec19afacd..4a81d1ca6f0 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "" @@ -197,23 +222,23 @@ msgstr "" msgid "years ago" msgstr "" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "" diff --git a/l10n/bs/files.po b/l10n/bs/files.po index bd25245e3ae..29f748a5dc2 100644 --- a/l10n/bs/files.po +++ b/l10n/bs/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "" @@ -197,30 +196,26 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Ime" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Veličina" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/ca/core.po b/l10n/ca/core.po index 3d5fb3ae480..f63e5e77091 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-08-22 10:36-0400\n" -"PO-Revision-Date: 2013-08-21 15:50+0000\n" -"Last-Translator: rogerc\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -24,6 +24,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s ha compartit »%s« amb tu" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "No s'ha especificat el tipus de categoria." diff --git a/l10n/ca/files.po b/l10n/ca/files.po index 6912e2cea9d..66e2e24f2ab 100644 --- a/l10n/ca/files.po +++ b/l10n/ca/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-08-22 10:35-0400\n" -"PO-Revision-Date: 2013-08-21 16:01+0000\n" -"Last-Translator: rogerc\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -96,21 +96,20 @@ msgstr "No hi ha prou espai disponible" msgid "Upload cancelled." msgstr "La pujada s'ha cancel·lat." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Hi ha una pujada en curs. Si abandoneu la pàgina la pujada es cancel·larà." -#: js/file-upload.js:234 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "La URL no pot ser buida" -#: js/file-upload.js:239 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nom de carpeta no vàlid. L'ús de 'Shared' està reservat per Owncloud" -#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Error" @@ -198,29 +197,25 @@ msgid "" "big." msgstr "S'està preparant la baixada. Pot trigar una estona si els fitxers són grans." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Nom de carpeta no vàlid. L'ús de 'Shared' està reservat per Owncloud" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Nom" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Mida" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Modificat" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n carpeta" msgstr[1] "%n carpetes" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n fitxer" diff --git a/l10n/ca/lib.po b/l10n/ca/lib.po index e24f7b3eafa..6e9651339a2 100644 --- a/l10n/ca/lib.po +++ b/l10n/ca/lib.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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-26 13:40+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" @@ -23,11 +23,11 @@ msgstr "" msgid "" "App \"%s\" can't be installed because it is not compatible with this version" " of ownCloud." -msgstr "" +msgstr "L'aplicació \"%s\" no es pot instal·lar perquè no és compatible amb aquesta versió d'ownCloud." #: app.php:250 msgid "No app name specified" -msgstr "" +msgstr "No heu especificat cap nom d'aplicació" #: app.php:361 msgid "Help" @@ -87,59 +87,59 @@ msgstr "Baixeu els fitxers en trossos petits, de forma separada, o pregunteu a l #: installer.php:63 msgid "No source specified when installing app" -msgstr "" +msgstr "No heu especificat la font en instal·lar l'aplicació" #: installer.php:70 msgid "No href specified when installing app from http" -msgstr "" +msgstr "No heu especificat href en instal·lar l'aplicació des de http" #: installer.php:75 msgid "No path specified when installing app from local file" -msgstr "" +msgstr "No heu seleccionat el camí en instal·lar una aplicació des d'un fitxer local" #: installer.php:89 #, php-format msgid "Archives of type %s are not supported" -msgstr "" +msgstr "Els fitxers del tipus %s no són compatibles" #: installer.php:103 msgid "Failed to open archive when installing app" -msgstr "" +msgstr "Ha fallat l'obertura del fitxer en instal·lar l'aplicació" #: installer.php:123 msgid "App does not provide an info.xml file" -msgstr "" +msgstr "L'aplicació no proporciona un fitxer info.xml" #: installer.php:129 msgid "App can't be installed because of not allowed code in the App" -msgstr "" +msgstr "L'aplicació no es pot instal·lar perquè hi ha codi no autoritzat en l'aplicació" #: installer.php:138 msgid "" "App can't be installed because it is not compatible with this version of " "ownCloud" -msgstr "" +msgstr "L'aplicació no es pot instal·lar perquè no és compatible amb aquesta versió d'ownCloud" #: installer.php:144 msgid "" "App can't be installed because it contains the true tag " "which is not allowed for non shipped apps" -msgstr "" +msgstr "L'aplicació no es pot instal·lar perquè conté l'etiqueta vertader que no es permet per aplicacions no enviades" #: installer.php:150 msgid "" "App can't be installed because the version in info.xml/version is not the " "same as the version reported from the app store" -msgstr "" +msgstr "L'aplicació no es pot instal·lar perquè la versió a info.xml/version no és la mateixa que la versió indicada des de la botiga d'aplicacions" #: installer.php:160 msgid "App directory already exists" -msgstr "" +msgstr "La carpeta de l'aplicació ja existeix" #: installer.php:173 #, php-format msgid "Can't create app folder. Please fix permissions. %s" -msgstr "" +msgstr "No es pot crear la carpeta de l'aplicació. Arregleu els permisos. %s" #: json.php:28 msgid "Application is not enabled" diff --git a/l10n/ca/settings.po b/l10n/ca/settings.po index 1ecfd6e7b8b..00860a8a12d 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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-26 13:31+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" @@ -104,11 +104,11 @@ msgstr "Espereu..." #: js/apps.js:71 js/apps.js:72 js/apps.js:92 msgid "Error while disabling app" -msgstr "" +msgstr "Error en desactivar l'aplicació" #: js/apps.js:91 js/apps.js:104 js/apps.js:105 msgid "Error while enabling app" -msgstr "" +msgstr "Error en activar l'aplicació" #: js/apps.js:115 msgid "Updating...." diff --git a/l10n/ca/user_ldap.po b/l10n/ca/user_ldap.po index 8c6b13494d9..102b8a3d7bb 100644 --- a/l10n/ca/user_ldap.po +++ b/l10n/ca/user_ldap.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-26 13:31+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" @@ -156,7 +156,7 @@ msgstr "Filtre d'inici de sessió d'usuari" msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " "username in the login action. Example: \"uid=%%uid\"" -msgstr "" +msgstr "Defineix el filtre a aplicar quan s'intenta iniciar la sessió. %%uid reemplaça el nom d'usuari en l'acció d'inici de sessió. Per exemple: \"uid=%%uid\"" #: templates/settings.php:55 msgid "User List Filter" @@ -166,7 +166,7 @@ msgstr "Llista de filtres d'usuari" msgid "" "Defines the filter to apply, when retrieving users (no placeholders). " "Example: \"objectClass=person\"" -msgstr "" +msgstr "Defineix el filtre a aplicar quan es mostren usuaris (no textos variables). Per exemple: \"objectClass=person\"" #: templates/settings.php:59 msgid "Group Filter" @@ -176,7 +176,7 @@ msgstr "Filtre de grup" msgid "" "Defines the filter to apply, when retrieving groups (no placeholders). " "Example: \"objectClass=posixGroup\"" -msgstr "" +msgstr "Defineix el filtre a aplicar quan es mostren grups (no textos variables). Per exemple: \"objectClass=posixGroup\"" #: templates/settings.php:66 msgid "Connection Settings" @@ -237,7 +237,7 @@ msgstr "Desactiva la validació de certificat SSL." msgid "" "Not recommended, use it for testing only! If connection only works with this" " option, import the LDAP server's SSL certificate in your %s server." -msgstr "" +msgstr "No es recomana, useu-ho només com a prova! Importeu el certificat SSL del servidor LDAP al servidor %s només si la connexió funciona amb aquesta opció." #: templates/settings.php:76 msgid "Cache Time-To-Live" diff --git a/l10n/cs_CZ/core.po b/l10n/cs_CZ/core.po index 37ee596b324..18e39dc80ba 100644 --- a/l10n/cs_CZ/core.po +++ b/l10n/cs_CZ/core.po @@ -12,8 +12,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -27,6 +27,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s s vámi sdílí »%s«" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Nezadán typ kategorie." @@ -202,23 +227,23 @@ msgstr "minulý rok" msgid "years ago" msgstr "před lety" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Vybrat" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "Chyba při načítání šablony výběru souborů" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Ano" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Ne" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Ok" diff --git a/l10n/cs_CZ/files.po b/l10n/cs_CZ/files.po index a83237e41fc..9659af9c1d9 100644 --- a/l10n/cs_CZ/files.po +++ b/l10n/cs_CZ/files.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-08-21 08:10-0400\n" -"PO-Revision-Date: 2013-08-20 15:51+0000\n" -"Last-Translator: cvanca \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -98,21 +98,20 @@ msgstr "Nedostatek volného místa" msgid "Upload cancelled." msgstr "Odesílání zrušeno." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Probíhá odesílání souboru. Opuštění stránky způsobí zrušení nahrávání." -#: js/file-upload.js:234 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "URL nemůže být prázdná." -#: js/file-upload.js:239 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Název složky nelze použít. Použití názvu 'Shared' je ownCloudem rezervováno" -#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Chyba" @@ -201,30 +200,26 @@ msgid "" "big." msgstr "Vaše soubory ke stažení se připravují. Pokud jsou velké, může to chvíli trvat." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Neplatný název složky. Pojmenování 'Shared' je rezervováno pro vnitřní potřeby ownCloud" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Název" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Velikost" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Upraveno" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n složka" msgstr[1] "%n složky" msgstr[2] "%n složek" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n soubor" diff --git a/l10n/cy_GB/core.po b/l10n/cy_GB/core.po index f9b74a7649e..97781ef6a33 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -23,6 +23,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Math o gategori heb ei ddarparu." @@ -202,23 +227,23 @@ msgstr "y llynedd" msgid "years ago" msgstr "blwyddyn yn ôl" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Dewisiwch" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Ie" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Na" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Iawn" diff --git a/l10n/cy_GB/files.po b/l10n/cy_GB/files.po index a5c216a5355..3d8d0f81fb7 100644 --- a/l10n/cy_GB/files.po +++ b/l10n/cy_GB/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "Dim digon o le ar gael" msgid "Upload cancelled." msgstr "Diddymwyd llwytho i fyny." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Mae ffeiliau'n cael eu llwytho i fyny. Bydd gadael y dudalen hon nawr yn diddymu'r broses." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "Does dim hawl cael URL gwag." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Gwall" @@ -198,23 +197,19 @@ msgid "" "big." msgstr "Wrthi'n paratoi i lwytho i lawr. Gall gymryd peth amser os yw'r ffeiliau'n fawr." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Enw plygell annilys. Mae'r defnydd o 'Shared' yn cael ei gadw gan Owncloud" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Enw" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Maint" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Addaswyd" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" @@ -222,7 +217,7 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/da/core.po b/l10n/da/core.po index 4f224cbacac..3566470055f 100644 --- a/l10n/da/core.po +++ b/l10n/da/core.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -26,6 +26,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s delte »%s« med sig" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Kategori typen ikke er fastsat." @@ -197,23 +222,23 @@ msgstr "sidste år" msgid "years ago" msgstr "år siden" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Vælg" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "Fejl ved indlæsning af filvælger skabelon" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Ja" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Nej" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "OK" diff --git a/l10n/da/files.po b/l10n/da/files.po index afba58f1333..218518cb6ed 100644 --- a/l10n/da/files.po +++ b/l10n/da/files.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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-24 14:30+0000\n" -"Last-Translator: Sappe\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -97,21 +97,20 @@ msgstr "ikke nok tilgængelig ledig plads " msgid "Upload cancelled." msgstr "Upload afbrudt." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Fil upload kører. Hvis du forlader siden nu, vil uploadet blive annuleret." -#: js/file-upload.js:234 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "URLen kan ikke være tom." -#: js/file-upload.js:239 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Ugyldigt mappenavn. Brug af 'Shared' er forbeholdt af ownCloud" -#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Fejl" @@ -199,29 +198,25 @@ msgid "" "big." msgstr "Dit download forberedes. Dette kan tage lidt tid ved større filer." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Ugyldigt mappenavn. Brug af \"Shared\" er forbeholdt Owncloud" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Navn" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Størrelse" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Ændret" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n mappe" msgstr[1] "%n mapper" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n fil" diff --git a/l10n/de/core.po b/l10n/de/core.po index 707d01e384e..f802b39ac3e 100644 --- a/l10n/de/core.po +++ b/l10n/de/core.po @@ -15,8 +15,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+0000\n" "Last-Translator: I Robot \n" "Language-Team: German \n" "MIME-Version: 1.0\n" @@ -30,6 +30,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s teilte »%s« mit Ihnen" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Kategorie nicht angegeben." @@ -201,23 +226,23 @@ msgstr "Letztes Jahr" msgid "years ago" msgstr "Vor Jahren" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Auswählen" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "Dateiauswahltemplate konnte nicht geladen werden" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Ja" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Nein" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "OK" diff --git a/l10n/de/files.po b/l10n/de/files.po index d1a6526c482..a18eb37b0da 100644 --- a/l10n/de/files.po +++ b/l10n/de/files.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-08-21 08:10-0400\n" -"PO-Revision-Date: 2013-08-20 12:40+0000\n" -"Last-Translator: Mario Siegmann \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"Last-Translator: I Robot \n" "Language-Team: German \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -100,21 +100,20 @@ msgstr "Nicht genug Speicherplatz verfügbar" msgid "Upload cancelled." msgstr "Upload abgebrochen." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Dateiupload läuft. Wenn Du die Seite jetzt verlässt, wird der Upload abgebrochen." -#: js/file-upload.js:234 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "Die URL darf nicht leer sein." -#: js/file-upload.js:239 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Der Ordnername ist ungültig. Nur ownCloud kann den Ordner \"Shared\" anlegen" -#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Fehler" @@ -202,29 +201,25 @@ msgid "" "big." msgstr "Dein Download wird vorbereitet. Dies kann bei größeren Dateien etwas dauern." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Ungültiger Verzeichnisname. Die Nutzung von \"Shared\" ist ownCloud vorbehalten." - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Name" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Größe" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Geändert" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n Ordner" msgstr[1] "%n Ordner" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n Datei" diff --git a/l10n/de/lib.po b/l10n/de/lib.po index 30a80e83f7a..fff88cd0e31 100644 --- a/l10n/de/lib.po +++ b/l10n/de/lib.po @@ -5,14 +5,15 @@ # Translators: # Mario Siegmann , 2013 # ninov , 2013 +# noxin , 2013 # Mirodin , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 10:05+0000\n" +"Last-Translator: noxin \n" "Language-Team: German \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -25,11 +26,11 @@ msgstr "" msgid "" "App \"%s\" can't be installed because it is not compatible with this version" " of ownCloud." -msgstr "" +msgstr "Applikation \"%s\" kann nicht installiert werden, da sie mit dieser ownCloud Version nicht kompatibel ist." #: app.php:250 msgid "No app name specified" -msgstr "" +msgstr "Es wurde kein App-Name angegeben" #: app.php:361 msgid "Help" @@ -89,32 +90,32 @@ msgstr "Lade die Dateien in kleineren, separaten, Stücken herunter oder bitte d #: installer.php:63 msgid "No source specified when installing app" -msgstr "" +msgstr "Für die Installation der Applikation wurde keine Quelle angegeben" #: installer.php:70 msgid "No href specified when installing app from http" -msgstr "" +msgstr "href wurde nicht angegeben um die Applikation per http zu installieren" #: installer.php:75 msgid "No path specified when installing app from local file" -msgstr "" +msgstr "Bei der Installation der Applikation aus einer lokalen Datei wurde kein Pfad angegeben" #: installer.php:89 #, php-format msgid "Archives of type %s are not supported" -msgstr "" +msgstr "Archive vom Typ %s werden nicht unterstützt" #: installer.php:103 msgid "Failed to open archive when installing app" -msgstr "" +msgstr "Das Archive konnte bei der Installation der Applikation nicht geöffnet werden" #: installer.php:123 msgid "App does not provide an info.xml file" -msgstr "" +msgstr "Die Applikation enthält keine info,xml Datei" #: installer.php:129 msgid "App can't be installed because of not allowed code in the App" -msgstr "" +msgstr "Die Applikation kann auf Grund von unerlaubten Code nicht installiert werden" #: installer.php:138 msgid "" @@ -136,12 +137,12 @@ msgstr "" #: installer.php:160 msgid "App directory already exists" -msgstr "" +msgstr "Das Applikationsverzeichnis existiert bereits" #: installer.php:173 #, php-format msgid "Can't create app folder. Please fix permissions. %s" -msgstr "" +msgstr "Es kann kein Applikationsordner erstellt werden. Bitte passen sie die Berechtigungen an. %s" #: json.php:28 msgid "Application is not enabled" diff --git a/l10n/de_AT/core.po b/l10n/de_AT/core.po index d26af5c3d7b..d6a26eb7c40 100644 --- a/l10n/de_AT/core.po +++ b/l10n/de_AT/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Austria) (http://www.transifex.com/projects/p/owncloud/language/de_AT/)\n" "MIME-Version: 1.0\n" @@ -23,6 +23,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "" @@ -194,23 +219,23 @@ msgstr "" msgid "years ago" msgstr "" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "" diff --git a/l10n/de_AT/files.po b/l10n/de_AT/files.po index 5f0e9fd18a3..4476d1f102f 100644 --- a/l10n/de_AT/files.po +++ b/l10n/de_AT/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Austria) (http://www.transifex.com/projects/p/owncloud/language/de_AT/)\n" "MIME-Version: 1.0\n" @@ -94,21 +94,20 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "" @@ -196,29 +195,25 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/de_CH/core.po b/l10n/de_CH/core.po index deacb1c3c4c..a296bfa8c9e 100644 --- a/l10n/de_CH/core.po +++ b/l10n/de_CH/core.po @@ -5,6 +5,7 @@ # Translators: # arkascha , 2013 # FlorianScholz , 2013 +# FlorianScholz , 2013 # I Robot , 2013 # Marcel Kühlhorn , 2013 # Mario Siegmann , 2013 @@ -15,8 +16,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Switzerland) (http://www.transifex.com/projects/p/owncloud/language/de_CH/)\n" "MIME-Version: 1.0\n" @@ -30,6 +31,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s teilt »%s« mit Ihnen" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Kategorie nicht angegeben." @@ -156,14 +182,14 @@ msgstr "Gerade eben" #: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Vor %n Minute" +msgstr[1] "Vor %n Minuten" #: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Vor %n Stunde" +msgstr[1] "Vor %n Stunden" #: js/js.js:815 msgid "today" @@ -176,8 +202,8 @@ msgstr "Gestern" #: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Vor %n Tag" +msgstr[1] "Vor %n Tagen" #: js/js.js:818 msgid "last month" @@ -186,8 +212,8 @@ msgstr "Letzten Monat" #: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Vor %n Monat" +msgstr[1] "Vor %n Monaten" #: js/js.js:820 msgid "months ago" @@ -201,23 +227,23 @@ msgstr "Letztes Jahr" msgid "years ago" msgstr "Vor Jahren" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Auswählen" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "Es ist ein Fehler in der Vorlage des Datei-Auswählers aufgetreten." -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Ja" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Nein" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "OK" @@ -384,7 +410,7 @@ msgstr "Das Update war erfolgreich. Sie werden nun zu ownCloud weitergeleitet." #: lostpassword/controller.php:61 #, php-format msgid "%s password reset" -msgstr "" +msgstr "%s-Passwort zurücksetzen" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/de_CH/files.po b/l10n/de_CH/files.po index 8befee513b7..fae903c9a3a 100644 --- a/l10n/de_CH/files.po +++ b/l10n/de_CH/files.po @@ -5,6 +5,7 @@ # Translators: # a.tangemann , 2013 # FlorianScholz , 2013 +# FlorianScholz , 2013 # I Robot , 2013 # kabum , 2013 # Marcel Kühlhorn , 2013 @@ -15,8 +16,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Switzerland) (http://www.transifex.com/projects/p/owncloud/language/de_CH/)\n" "MIME-Version: 1.0\n" @@ -102,21 +103,20 @@ msgstr "Nicht genügend Speicherplatz verfügbar" msgid "Upload cancelled." msgstr "Upload abgebrochen." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Dateiupload läuft. Wenn Sie die Seite jetzt verlassen, wird der Upload abgebrochen." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "Die URL darf nicht leer sein." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Ungültiger Ordnername. Die Verwendung von «Shared» ist ownCloud vorbehalten." -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Fehler" @@ -163,8 +163,8 @@ msgstr "rückgängig machen" #: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n Datei wird hochgeladen" +msgstr[1] "%n Dateien werden hochgeladen" #: js/filelist.js:518 msgid "files uploading" @@ -196,7 +196,7 @@ msgstr "Ihr Speicher ist fast voll ({usedSpacePercent}%)" msgid "" "Encryption was disabled but your files are still encrypted. Please go to " "your personal settings to decrypt your files." -msgstr "" +msgstr "Die Verschlüsselung wurde deaktiviert, jedoch sind Ihre Dateien nach wie vor verschlüsselt. Bitte gehen Sie zu Ihren persönlichen Einstellungen, um Ihre Dateien zu entschlüsseln." #: js/files.js:245 msgid "" @@ -204,33 +204,29 @@ msgid "" "big." msgstr "Ihr Download wird vorbereitet. Dies kann bei grösseren Dateien etwas dauern." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Ungültiger Verzeichnisname. Die Nutzung von «Shared» ist ownCloud vorbehalten" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Name" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Grösse" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Geändert" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -msgstr[1] "" +msgstr[1] "%n Ordner" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" -msgstr[1] "" +msgstr[1] "%n Dateien" #: lib/app.php:73 #, php-format diff --git a/l10n/de_CH/files_encryption.po b/l10n/de_CH/files_encryption.po index ccf349afd9f..774a2410515 100644 --- a/l10n/de_CH/files_encryption.po +++ b/l10n/de_CH/files_encryption.po @@ -5,6 +5,7 @@ # Translators: # ako84 , 2013 # FlorianScholz , 2013 +# FlorianScholz , 2013 # JamFX , 2013 # Mario Siegmann , 2013 # traductor , 2013 @@ -12,9 +13,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-21 08:10-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-26 08:20+0000\n" +"Last-Translator: FlorianScholz \n" "Language-Team: German (Switzerland) (http://www.transifex.com/projects/p/owncloud/language/de_CH/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -75,7 +76,7 @@ msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the 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 das OpenSSL zusammen mit der PHP-Erweiterung aktiviert und richtig konfiguriert ist. Zur Zeit ist die Verschlüsselungs-App deaktiviert." #: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" diff --git a/l10n/de_CH/files_trashbin.po b/l10n/de_CH/files_trashbin.po index 1d80e2f4371..5061816a4dc 100644 --- a/l10n/de_CH/files_trashbin.po +++ b/l10n/de_CH/files_trashbin.po @@ -4,14 +4,15 @@ # # Translators: # FlorianScholz , 2013 +# FlorianScholz , 2013 # Mario Siegmann , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-26 08:30+0000\n" +"Last-Translator: FlorianScholz \n" "Language-Team: German (Switzerland) (http://www.transifex.com/projects/p/owncloud/language/de_CH/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -56,14 +57,14 @@ msgstr "Gelöscht" #: js/trash.js:191 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n Ordner" +msgstr[1] "%n Ordner" #: js/trash.js:197 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n Datei" +msgstr[1] "%n Dateien" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/de_CH/lib.po b/l10n/de_CH/lib.po index a63c16f5608..11d2f26f5a4 100644 --- a/l10n/de_CH/lib.po +++ b/l10n/de_CH/lib.po @@ -4,15 +4,16 @@ # # Translators: # FlorianScholz , 2013 +# FlorianScholz , 2013 # Mario Siegmann , 2013 # traductor , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 06:30+0000\n" +"Last-Translator: FlorianScholz \n" "Language-Team: German (Switzerland) (http://www.transifex.com/projects/p/owncloud/language/de_CH/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -25,11 +26,11 @@ msgstr "" msgid "" "App \"%s\" can't be installed because it is not compatible with this version" " of ownCloud." -msgstr "" +msgstr "Anwendung \"%s\" kann nicht installiert werden, da sie mit dieser Version von ownCloud nicht kompatibel ist." #: app.php:250 msgid "No app name specified" -msgstr "" +msgstr "Kein App-Name spezifiziert" #: app.php:361 msgid "Help" @@ -114,7 +115,7 @@ msgstr "" #: installer.php:129 msgid "App can't be installed because of not allowed code in the App" -msgstr "" +msgstr "Anwendung kann wegen nicht erlaubten Codes nicht installiert werden" #: installer.php:138 msgid "" @@ -136,7 +137,7 @@ msgstr "" #: installer.php:160 msgid "App directory already exists" -msgstr "" +msgstr "Anwendungsverzeichnis existiert bereits" #: installer.php:173 #, php-format @@ -275,13 +276,13 @@ msgstr "Gerade eben" msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" -msgstr[1] "" +msgstr[1] "Vor %n Minuten" #: template/functions.php:82 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" -msgstr[1] "" +msgstr[1] "Vor %n Stunden" #: template/functions.php:83 msgid "today" @@ -295,7 +296,7 @@ msgstr "Gestern" msgid "%n day go" msgid_plural "%n days ago" msgstr[0] "" -msgstr[1] "" +msgstr[1] "Vor %n Tagen" #: template/functions.php:86 msgid "last month" @@ -305,7 +306,7 @@ msgstr "Letzten Monat" msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" -msgstr[1] "" +msgstr[1] "Vor %n Monaten" #: template/functions.php:88 msgid "last year" diff --git a/l10n/de_CH/settings.po b/l10n/de_CH/settings.po index c558e0cd905..5e184ab89b9 100644 --- a/l10n/de_CH/settings.po +++ b/l10n/de_CH/settings.po @@ -6,6 +6,7 @@ # arkascha , 2013 # a.tangemann , 2013 # FlorianScholz , 2013 +# FlorianScholz , 2013 # kabum , 2013 # Mario Siegmann , 2013 # Mirodin , 2013 @@ -14,9 +15,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 06:30+0000\n" +"Last-Translator: FlorianScholz \n" "Language-Team: German (Switzerland) (http://www.transifex.com/projects/p/owncloud/language/de_CH/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -109,11 +110,11 @@ msgstr "Bitte warten...." #: js/apps.js:71 js/apps.js:72 js/apps.js:92 msgid "Error while disabling app" -msgstr "" +msgstr "Fehler während der Deaktivierung der Anwendung" #: js/apps.js:91 js/apps.js:104 js/apps.js:105 msgid "Error while enabling app" -msgstr "" +msgstr "Fehler während der Aktivierung der Anwendung" #: js/apps.js:115 msgid "Updating...." @@ -137,7 +138,7 @@ msgstr "Aktualisiert" #: js/personal.js:150 msgid "Decrypting files... Please wait, this can take some time." -msgstr "" +msgstr "Entschlüssel Dateien ... Bitte warten Sie, denn dieser Vorgang kann einige Zeit beanspruchen." #: js/personal.js:172 msgid "Saving..." @@ -486,15 +487,15 @@ msgstr "Verschlüsselung" #: templates/personal.php:119 msgid "The encryption app is no longer enabled, decrypt all your file" -msgstr "" +msgstr "Die Anwendung zur Verschlüsselung ist nicht länger aktiv, all Ihre Dateien werden entschlüsselt. " #: templates/personal.php:125 msgid "Log-in password" -msgstr "" +msgstr "Login-Passwort" #: templates/personal.php:130 msgid "Decrypt all Files" -msgstr "" +msgstr "Alle Dateien entschlüsseln" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/de_CH/user_ldap.po b/l10n/de_CH/user_ldap.po index 9081b095a9c..0267d804b6f 100644 --- a/l10n/de_CH/user_ldap.po +++ b/l10n/de_CH/user_ldap.po @@ -5,6 +5,7 @@ # Translators: # a.tangemann , 2013 # FlorianScholz , 2013 +# FlorianScholz , 2013 # JamFX , 2013 # Marcel Kühlhorn , 2013 # Mario Siegmann , 2013 @@ -14,9 +15,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 06:30+0000\n" +"Last-Translator: FlorianScholz \n" "Language-Team: German (Switzerland) (http://www.transifex.com/projects/p/owncloud/language/de_CH/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -162,7 +163,7 @@ msgstr "Benutzer-Login-Filter" msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " "username in the login action. Example: \"uid=%%uid\"" -msgstr "" +msgstr "Bestimmt den Filter, welcher bei einer Anmeldung angewandt wird. %%uid ersetzt den Benutzernamen bei der Anmeldung. Beispiel: \"uid=%%uid\"" #: templates/settings.php:55 msgid "User List Filter" @@ -172,7 +173,7 @@ msgstr "Benutzer-Filter-Liste" msgid "" "Defines the filter to apply, when retrieving users (no placeholders). " "Example: \"objectClass=person\"" -msgstr "" +msgstr "Definiert den Filter für die Wiederherstellung eines Benutzers (kein Platzhalter). Beispiel: \"objectClass=person\"" #: templates/settings.php:59 msgid "Group Filter" @@ -182,7 +183,7 @@ msgstr "Gruppen-Filter" msgid "" "Defines the filter to apply, when retrieving groups (no placeholders). " "Example: \"objectClass=posixGroup\"" -msgstr "" +msgstr "Definiert den Filter für die Wiederherstellung einer Gruppe (kein Platzhalter). Beispiel: \"objectClass=posixGroup\"" #: templates/settings.php:66 msgid "Connection Settings" @@ -243,7 +244,7 @@ msgstr "Schalten Sie die SSL-Zertifikatsprüfung aus." msgid "" "Not recommended, use it for testing only! If connection only works with this" " option, import the LDAP server's SSL certificate in your %s server." -msgstr "" +msgstr "Nur für Testzwecke geeignet, sollte Standardmäßig nicht verwendet werden. Falls die Verbindung nur mit dieser Option funktioniert, importieren Sie das SSL-Zertifikat des LDAP-Servers in Ihren %s Server." #: templates/settings.php:76 msgid "Cache Time-To-Live" diff --git a/l10n/de_DE/core.po b/l10n/de_DE/core.po index da78f8613cf..ebd32decb87 100644 --- a/l10n/de_DE/core.po +++ b/l10n/de_DE/core.po @@ -15,8 +15,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" @@ -30,6 +30,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s geteilt »%s« mit Ihnen" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Kategorie nicht angegeben." @@ -201,23 +226,23 @@ msgstr "Letztes Jahr" msgid "years ago" msgstr "Vor Jahren" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Auswählen" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "Es ist ein Fehler in der Vorlage des Datei-Auswählers aufgetreten." -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Ja" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Nein" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "OK" diff --git a/l10n/de_DE/files.po b/l10n/de_DE/files.po index 9bab6784cd6..03c2d0b576c 100644 --- a/l10n/de_DE/files.po +++ b/l10n/de_DE/files.po @@ -15,9 +15,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-21 08:10-0400\n" -"PO-Revision-Date: 2013-08-20 06:50+0000\n" -"Last-Translator: traductor \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"Last-Translator: I Robot \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -102,21 +102,20 @@ msgstr "Nicht genügend Speicherplatz verfügbar" msgid "Upload cancelled." msgstr "Upload abgebrochen." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Dateiupload läuft. Wenn Sie die Seite jetzt verlassen, wird der Upload abgebrochen." -#: js/file-upload.js:234 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "Die URL darf nicht leer sein." -#: js/file-upload.js:239 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Ungültiger Ordnername. Die Verwendung von \"Shared\" ist ownCloud vorbehalten." -#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Fehler" @@ -204,29 +203,25 @@ msgid "" "big." msgstr "Ihr Download wird vorbereitet. Dies kann bei größeren Dateien etwas dauern." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Ungültiger Verzeichnisname. Die Nutzung von \"Shared\" ist ownCloud vorbehalten" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Name" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Größe" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Geändert" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n Ordner" msgstr[1] "%n Ordner" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n Datei" diff --git a/l10n/de_DE/lib.po b/l10n/de_DE/lib.po index adb12291feb..567fcc9a526 100644 --- a/l10n/de_DE/lib.po +++ b/l10n/de_DE/lib.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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 12:00+0000\n" +"Last-Translator: traductor \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -102,7 +102,7 @@ msgstr "" #: installer.php:89 #, php-format msgid "Archives of type %s are not supported" -msgstr "" +msgstr "Archive des Typs %s werden nicht unterstützt." #: installer.php:103 msgid "Failed to open archive when installing app" @@ -120,7 +120,7 @@ msgstr "" msgid "" "App can't be installed because it is not compatible with this version of " "ownCloud" -msgstr "" +msgstr "Die Anwendung konnte nicht installiert werden, weil Sie nicht mit dieser Version von ownCloud kompatibel ist." #: installer.php:144 msgid "" @@ -136,12 +136,12 @@ msgstr "" #: installer.php:160 msgid "App directory already exists" -msgstr "" +msgstr "Der Ordner für die Anwendung existiert bereits." #: installer.php:173 #, php-format msgid "Can't create app folder. Please fix permissions. %s" -msgstr "" +msgstr "Der Ordner für die Anwendung konnte nicht angelegt werden. Bitte überprüfen Sie die Ordner- und Dateirechte und passen Sie diese entsprechend an. %s" #: json.php:28 msgid "Application is not enabled" diff --git a/l10n/de_DE/settings.po b/l10n/de_DE/settings.po index d5bf5ec301a..0eb0623b9f7 100644 --- a/l10n/de_DE/settings.po +++ b/l10n/de_DE/settings.po @@ -7,15 +7,16 @@ # arkascha , 2013 # Mario Siegmann , 2013 # traductor , 2013 +# noxin , 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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 12:00+0000\n" +"Last-Translator: traductor \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -108,11 +109,11 @@ msgstr "Bitte warten...." #: js/apps.js:71 js/apps.js:72 js/apps.js:92 msgid "Error while disabling app" -msgstr "" +msgstr "Beim deaktivieren der Applikation ist ein Fehler aufgetreten." #: js/apps.js:91 js/apps.js:104 js/apps.js:105 msgid "Error while enabling app" -msgstr "" +msgstr "Beim aktivieren der Applikation ist ein Fehler aufgetreten." #: js/apps.js:115 msgid "Updating...." @@ -198,7 +199,7 @@ msgid "" "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 "Ihr Datenverzeichnis und Ihre Dateien sind möglicher Weise aus dem Internet erreichbar. Die .htaccess-Datei funktioniert nicht. Wir raten Ihnen dringend, dass Sie Ihren Webserver dahingehend konfigurieren, dass Ihr Datenverzeichnis nicht länger aus dem Internet erreichbar ist, oder Sie verschieben das Datenverzeichnis außerhalb des Wurzelverzeichnisses des Webservers." +msgstr "Ihr Datenverzeichnis und Ihre Dateien sind möglicherweise aus dem Internet erreichbar. Die .htaccess-Datei funktioniert nicht. Wir raten Ihnen dringend, dass Sie Ihren Webserver dahingehend konfigurieren, dass Ihr Datenverzeichnis nicht länger aus dem Internet erreichbar ist, oder Sie verschieben das Datenverzeichnis außerhalb des Wurzelverzeichnisses des Webservers." #: templates/admin.php:29 msgid "Setup Warning" @@ -248,7 +249,7 @@ msgid "" "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." -msgstr "Dieser Server hat keine funktionierende Internetverbindung. Dies bedeutet das einige Funktionen wie z.B. das Einbinden von externen Speichern, Update-Benachrichtigungen oder die Installation von Drittanbieter-Apps nicht funktionieren. Der Fernzugriff auf Dateien und das Senden von Benachrichtigungsmails funktioniert eventuell ebenfalls nicht. Wir empfehlen die Internetverbindung für diesen Server zu aktivieren wenn Sie alle Funktionen nutzen wollen." +msgstr "Dieser Server hat keine funktionierende Internetverbindung. Dies bedeutet das einige Funktionen wie z.B. das Einbinden von externen Speichern, Update-Benachrichtigungen oder die Installation von Drittanbieter-Apps nicht funktionieren. Der Fernzugriff auf Dateien und das Senden von Benachrichtigungsmails funktioniert eventuell ebenfalls nicht. Wir empfehlen die Internetverbindung für diesen Server zu aktivieren, wenn Sie alle Funktionen nutzen wollen." #: templates/admin.php:92 msgid "Cron" @@ -266,7 +267,7 @@ msgstr "cron.php ist als Webcron-Dienst registriert, der die cron.php minütlich #: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." -msgstr "Benutzen Sie den System-Crondienst um die cron.php minütlich aufzurufen." +msgstr "Benutzen Sie den System-Crondienst, um die cron.php minütlich aufzurufen." #: templates/admin.php:120 msgid "Sharing" @@ -290,7 +291,7 @@ msgstr "Benutzern erlauben, Inhalte per öffentlichem Link zu teilen" #: templates/admin.php:143 msgid "Allow public uploads" -msgstr "Erlaube öffentliches hochladen" +msgstr "Öffentliches Hochladen erlauben" #: templates/admin.php:144 msgid "" diff --git a/l10n/el/core.po b/l10n/el/core.po index f44d1601846..1d48f92c642 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -29,6 +29,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "Ο %s διαμοιράστηκε μαζί σας το »%s«" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Δεν δώθηκε τύπος κατηγορίας." @@ -200,23 +225,23 @@ msgstr "τελευταίο χρόνο" msgid "years ago" msgstr "χρόνια πριν" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Επιλέξτε" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "Σφάλμα φόρτωσης αρχείου επιλογέα προτύπου" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Ναι" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Όχι" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Οκ" diff --git a/l10n/el/files.po b/l10n/el/files.po index 33d74694271..2ae026cfed0 100644 --- a/l10n/el/files.po +++ b/l10n/el/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -96,21 +96,20 @@ msgstr "Δεν υπάρχει αρκετός διαθέσιμος χώρος" msgid "Upload cancelled." msgstr "Η αποστολή ακυρώθηκε." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Η αποστολή του αρχείου βρίσκεται σε εξέλιξη. Το κλείσιμο της σελίδας θα ακυρώσει την αποστολή." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "Η URL δεν μπορεί να είναι κενή." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Μη έγκυρο όνομα φακέλου. Η χρήση του 'Κοινόχρηστος' χρησιμοποιείται από το ownCloud" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Σφάλμα" @@ -198,29 +197,25 @@ msgid "" "big." msgstr "Η λήψη προετοιμάζεται. Αυτό μπορεί να πάρει ώρα εάν τα αρχεία έχουν μεγάλο μέγεθος." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Μη έγκυρο όνομα φακέλου. Η χρήση του 'Κοινόχρηστος' χρησιμοποιείται από ο Owncloud" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Όνομα" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Μέγεθος" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Τροποποιήθηκε" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/en@pirate/core.po b/l10n/en@pirate/core.po index 3def6859364..f2ee458fc91 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -23,6 +23,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "" @@ -194,23 +219,23 @@ msgstr "" msgid "years ago" msgstr "" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "" diff --git a/l10n/en@pirate/files.po b/l10n/en@pirate/files.po index 8d37893029d..c5bb03e57e3 100644 --- a/l10n/en@pirate/files.po +++ b/l10n/en@pirate/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "" @@ -196,29 +195,25 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/eo/core.po b/l10n/eo/core.po index 0ce78d871f5..bb093524fc0 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -24,6 +24,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s kunhavigis “%s” kun vi" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Ne proviziĝis tipon de kategorio." @@ -195,23 +220,23 @@ msgstr "lastajare" msgid "years ago" msgstr "jaroj antaŭe" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Elekti" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Jes" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Ne" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Akcepti" diff --git a/l10n/eo/files.po b/l10n/eo/files.po index 418410ebe52..6ca34ebb812 100644 --- a/l10n/eo/files.po +++ b/l10n/eo/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -95,21 +95,20 @@ msgstr "Ne haveblas sufiĉa spaco" msgid "Upload cancelled." msgstr "La alŝuto nuliĝis." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Dosieralŝuto plenumiĝas. Lasi la paĝon nun nuligus la alŝuton." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "URL ne povas esti malplena." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nevalida dosierujnomo. La uzo de “Shared” estas rezervita de ownCloud." -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Eraro" @@ -197,29 +196,25 @@ msgid "" "big." msgstr "Via elŝuto pretiĝatas. Ĉi tio povas daŭri iom da tempo se la dosieroj grandas." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Nevalida dosierujnomo. Uzo de “Shared” rezervatas de Owncloud." - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Nomo" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Grando" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Modifita" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/es/core.po b/l10n/es/core.po index 9baa98366d8..e9cb5b8f9a0 100644 --- a/l10n/es/core.po +++ b/l10n/es/core.po @@ -16,8 +16,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -31,6 +31,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s compatido »%s« contigo" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Tipo de categoría no proporcionado." @@ -202,23 +227,23 @@ msgstr "el año pasado" msgid "years ago" msgstr "hace años" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Seleccionar" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "Error cargando la plantilla del seleccionador de archivos" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Sí" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "No" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Aceptar" diff --git a/l10n/es/files.po b/l10n/es/files.po index a05bd94c82b..b396e770812 100644 --- a/l10n/es/files.po +++ b/l10n/es/files.po @@ -12,8 +12,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -99,21 +99,20 @@ msgstr "No hay suficiente espacio disponible" msgid "Upload cancelled." msgstr "Subida cancelada." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "La subida del archivo está en proceso. Si sale de la página ahora cancelará la subida." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "La URL no puede estar vacía." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nombre de carpeta invalido. El uso de \"Shared\" está reservado por ownCloud" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Error" @@ -201,29 +200,25 @@ msgid "" "big." msgstr "Su descarga está siendo preparada. Esto puede tardar algún tiempo si los archivos son grandes." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Nombre de carpeta no es válido. El uso de \"Shared\" está reservado por Owncloud" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Nombre" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Tamaño" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Modificado" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/es/settings.po b/l10n/es/settings.po index 0b089613137..10adfedf500 100644 --- a/l10n/es/settings.po +++ b/l10n/es/settings.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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-26 08:01+0000\n" +"Last-Translator: eadeprado \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" @@ -304,7 +304,7 @@ msgstr "Permitir re-compartición" #: templates/admin.php:153 msgid "Allow users to share items shared with them again" -msgstr "Permitir a los usuarios compartir elementos ya compartidos con ellos mismos" +msgstr "Permitir a los usuarios compartir de nuevo elementos ya compartidos" #: templates/admin.php:160 msgid "Allow users to share with anyone" diff --git a/l10n/es_AR/core.po b/l10n/es_AR/core.po index 4bae50605bd..12e5b363df9 100644 --- a/l10n/es_AR/core.po +++ b/l10n/es_AR/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -23,6 +23,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s compartió \"%s\" con vos" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Tipo de categoría no provisto. " @@ -194,23 +219,23 @@ msgstr "el año pasado" msgid "years ago" msgstr "años atrás" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Elegir" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "Error al cargar la plantilla del seleccionador de archivos" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Sí" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "No" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Aceptar" diff --git a/l10n/es_AR/files.po b/l10n/es_AR/files.po index bc891faa03c..013ab1b95dd 100644 --- a/l10n/es_AR/files.po +++ b/l10n/es_AR/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -96,21 +96,20 @@ msgstr "No hay suficiente espacio disponible" msgid "Upload cancelled." msgstr "La subida fue cancelada" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "La subida del archivo está en proceso. Si salís de la página ahora, la subida se cancelará." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "La URL no puede estar vacía" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nombre de directorio inválido. El uso de \"Shared\" está reservado por ownCloud" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Error" @@ -198,29 +197,25 @@ msgid "" "big." msgstr "Tu descarga se está preparando. Esto puede demorar si los archivos son muy grandes." -#: js/files.js:358 -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" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Nombre" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Tamaño" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Modificado" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/et_EE/core.po b/l10n/et_EE/core.po index 57158ce0f0e..ffd48b28988 100644 --- a/l10n/et_EE/core.po +++ b/l10n/et_EE/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-08-22 10:36-0400\n" -"PO-Revision-Date: 2013-08-22 09:40+0000\n" -"Last-Translator: pisike.sipelgas \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -24,6 +24,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s jagas sinuga »%s«" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Kategooria tüüp puudub." diff --git a/l10n/et_EE/files.po b/l10n/et_EE/files.po index 582197b1dcd..647475a3a19 100644 --- a/l10n/et_EE/files.po +++ b/l10n/et_EE/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-08-22 10:35-0400\n" -"PO-Revision-Date: 2013-08-22 09:50+0000\n" -"Last-Translator: pisike.sipelgas \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -96,21 +96,20 @@ msgstr "Pole piisavalt ruumi" msgid "Upload cancelled." msgstr "Üleslaadimine tühistati." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Faili üleslaadimine on töös. Lehelt lahkumine katkestab selle üleslaadimise." -#: js/file-upload.js:234 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "URL ei saa olla tühi." -#: js/file-upload.js:239 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Vigane kausta nimi. 'Shared' kasutamine on reserveeritud ownCloud poolt." -#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Viga" @@ -198,29 +197,25 @@ msgid "" "big." msgstr "Valmistatakse allalaadimist. See võib võtta veidi aega, kui on tegu suurte failidega. " -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Vigane kataloogi nimi. 'Shared' kasutamine on reserveeritud ownCloud poolt." - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Nimi" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Suurus" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Muudetud" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n kataloog" msgstr[1] "%n kataloogi" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n fail" diff --git a/l10n/et_EE/lib.po b/l10n/et_EE/lib.po index 82c3b23be83..4e49c86def2 100644 --- a/l10n/et_EE/lib.po +++ b/l10n/et_EE/lib.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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-26 05: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" @@ -24,11 +24,11 @@ msgstr "" msgid "" "App \"%s\" can't be installed because it is not compatible with this version" " of ownCloud." -msgstr "" +msgstr "Rakendit \"%s\" ei saa paigaldada, kuna see pole ühilduv selle ownCloud versiooniga." #: app.php:250 msgid "No app name specified" -msgstr "" +msgstr "Ühegi rakendi nime pole määratletud" #: app.php:361 msgid "Help" @@ -88,59 +88,59 @@ msgstr "Laadi failid alla eraldi väiksemate osadena või küsi nõu oma süstee #: installer.php:63 msgid "No source specified when installing app" -msgstr "" +msgstr "Ühegi lähteallikat pole rakendi paigalduseks määratletud" #: installer.php:70 msgid "No href specified when installing app from http" -msgstr "" +msgstr "Ühtegi aadressi pole määratletud rakendi paigalduseks veebist" #: installer.php:75 msgid "No path specified when installing app from local file" -msgstr "" +msgstr "Ühtegi teed pole määratletud paigaldamaks rakendit kohalikust failist" #: installer.php:89 #, php-format msgid "Archives of type %s are not supported" -msgstr "" +msgstr "%s tüüpi arhiivid pole toetatud" #: installer.php:103 msgid "Failed to open archive when installing app" -msgstr "" +msgstr "Arhiivi avamine ebaõnnestus rakendi paigalduse käigus" #: installer.php:123 msgid "App does not provide an info.xml file" -msgstr "" +msgstr "Rakend ei paku ühtegi info.xml faili" #: installer.php:129 msgid "App can't be installed because of not allowed code in the App" -msgstr "" +msgstr "Rakendit ei saa paigaldada, kuna sisaldab lubamatud koodi" #: installer.php:138 msgid "" "App can't be installed because it is not compatible with this version of " "ownCloud" -msgstr "" +msgstr "Rakendit ei saa paigaldada, kuna see pole ühilduv selle ownCloud versiooniga." #: installer.php:144 msgid "" "App can't be installed because it contains the true tag " "which is not allowed for non shipped apps" -msgstr "" +msgstr "Rakendit ei saa paigaldada, kuna see sisaldab \n\n\ntrue\n\nmärgendit, mis pole lubatud mitte veetud (non shipped) rakendites" #: installer.php:150 msgid "" "App can't be installed because the version in info.xml/version is not the " "same as the version reported from the app store" -msgstr "" +msgstr "Rakendit ei saa paigaldada, kuna selle versioon info.xml/version pole sama, mis on märgitud rakendite laos." #: installer.php:160 msgid "App directory already exists" -msgstr "" +msgstr "Rakendi kataloog on juba olemas" #: installer.php:173 #, php-format msgid "Can't create app folder. Please fix permissions. %s" -msgstr "" +msgstr "Ei saa luua rakendi kataloogi. Palun korrigeeri õigusi. %s" #: json.php:28 msgid "Application is not enabled" diff --git a/l10n/et_EE/settings.po b/l10n/et_EE/settings.po index 7f6d850ad8f..26f50de9298 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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-26 05:10+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" @@ -104,11 +104,11 @@ msgstr "Palun oota..." #: js/apps.js:71 js/apps.js:72 js/apps.js:92 msgid "Error while disabling app" -msgstr "" +msgstr "Viga rakendi keelamisel" #: js/apps.js:91 js/apps.js:104 js/apps.js:105 msgid "Error while enabling app" -msgstr "" +msgstr "Viga rakendi lubamisel" #: js/apps.js:115 msgid "Updating...." diff --git a/l10n/eu/core.po b/l10n/eu/core.po index 88be117b557..f74e5e30592 100644 --- a/l10n/eu/core.po +++ b/l10n/eu/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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:00+0000\n" -"Last-Translator: asieriko \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -24,6 +24,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s-ek »%s« zurekin partekatu du" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Kategoria mota ez da zehaztu." diff --git a/l10n/eu/files.po b/l10n/eu/files.po index 9240871e8cb..878b37729c7 100644 --- a/l10n/eu/files.po +++ b/l10n/eu/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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:10+0000\n" -"Last-Translator: asieriko \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -96,21 +96,20 @@ msgstr "Ez dago leku nahikorik." msgid "Upload cancelled." msgstr "Igoera ezeztatuta" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Fitxategien igoera martxan da. Orria orain uzteak igoera ezeztatutko du." -#: js/file-upload.js:234 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "URLa ezin da hutsik egon." -#: js/file-upload.js:239 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Karpeta izne baliogabea. \"Shared\" karpeta erabilpena OwnCloudentzat erreserbaturik dago." -#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Errorea" @@ -198,29 +197,25 @@ msgid "" "big." msgstr "Zure deskarga prestatu egin behar da. Denbora bat har lezake fitxategiak handiak badira. " -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Baliogabeako karpeta izena. 'Shared' izena Owncloudek erreserbatzen du" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Izena" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Tamaina" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Aldatuta" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "karpeta %n" msgstr[1] "%n karpeta" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "fitxategi %n" diff --git a/l10n/fa/core.po b/l10n/fa/core.po index 1075ec5c3e9..514c10f57f2 100644 --- a/l10n/fa/core.po +++ b/l10n/fa/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -23,6 +23,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s به اشتراک گذاشته شده است »%s« توسط شما" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "نوع دسته بندی ارائه نشده است." @@ -190,23 +215,23 @@ msgstr "سال قبل" msgid "years ago" msgstr "سال‌های قبل" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "انتخاب کردن" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "خطا در بارگذاری قالب انتخاب کننده فایل" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "بله" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "نه" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "قبول" diff --git a/l10n/fa/files.po b/l10n/fa/files.po index a5fd2a7adb4..4487cf2fcb0 100644 --- a/l10n/fa/files.po +++ b/l10n/fa/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -95,21 +95,20 @@ msgstr "فضای کافی در دسترس نیست" msgid "Upload cancelled." msgstr "بار گذاری لغو شد" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "آپلودکردن پرونده در حال پیشرفت است. در صورت خروج از صفحه آپلود لغو میگردد. " -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "URL نمی تواند خالی باشد." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "نام پوشه نامعتبر است. استفاده از 'به اشتراک گذاشته شده' متعلق به ownCloud میباشد." -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "خطا" @@ -196,28 +195,24 @@ msgid "" "big." msgstr "دانلود شما در حال آماده شدن است. در صورتیکه پرونده ها بزرگ باشند ممکن است مدتی طول بکشد." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "نام پوشه نامعتبر است. استفاده از \" به اشتراک گذاشته شده \" متعلق به سایت Owncloud است." - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "نام" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "اندازه" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "تاریخ" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/fi_FI/core.po b/l10n/fi_FI/core.po index 9ca82320bcc..92a3e60065d 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -23,6 +23,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s jakoi kohteen »%s« kanssasi" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Luokan tyyppiä ei määritelty." @@ -194,23 +219,23 @@ msgstr "viime vuonna" msgid "years ago" msgstr "vuotta sitten" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Valitse" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Kyllä" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Ei" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Ok" diff --git a/l10n/fi_FI/files.po b/l10n/fi_FI/files.po index dcf22e09ae1..cd30a9df4bf 100644 --- a/l10n/fi_FI/files.po +++ b/l10n/fi_FI/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -95,21 +95,20 @@ msgstr "Tilaa ei ole riittävästi" msgid "Upload cancelled." msgstr "Lähetys peruttu." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Tiedoston lähetys on meneillään. Sivulta poistuminen nyt peruu tiedoston lähetyksen." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "Verkko-osoite ei voi olla tyhjä" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Virhe" @@ -197,29 +196,25 @@ msgid "" "big." msgstr "Lataustasi valmistellaan. Tämä saattaa kestää hetken, jos tiedostot ovat suuria kooltaan." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Nimi" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Koko" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Muokattu" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n kansio" msgstr[1] "%n kansiota" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n tiedosto" diff --git a/l10n/fi_FI/lib.po b/l10n/fi_FI/lib.po index 764424f6b3f..fcd9edec0e4 100644 --- a/l10n/fi_FI/lib.po +++ b/l10n/fi_FI/lib.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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-26 06:20+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" @@ -23,7 +23,7 @@ msgstr "" msgid "" "App \"%s\" can't be installed because it is not compatible with this version" " of ownCloud." -msgstr "" +msgstr "Sovellusta \"%s\" ei voi asentaa, koska se ei ole yhteensopiva käytössä olevan ownCloud-version kanssa." #: app.php:250 msgid "No app name specified" @@ -87,7 +87,7 @@ msgstr "" #: installer.php:63 msgid "No source specified when installing app" -msgstr "" +msgstr "Lähdettä ei määritelty sovellusta asennettaessa" #: installer.php:70 msgid "No href specified when installing app from http" @@ -95,12 +95,12 @@ msgstr "" #: installer.php:75 msgid "No path specified when installing app from local file" -msgstr "" +msgstr "Polkua ei määritelty sovellusta asennettaessa paikallisesta tiedostosta" #: installer.php:89 #, php-format msgid "Archives of type %s are not supported" -msgstr "" +msgstr "Tyypin %s arkistot eivät ole tuettuja" #: installer.php:103 msgid "Failed to open archive when installing app" @@ -108,7 +108,7 @@ msgstr "" #: installer.php:123 msgid "App does not provide an info.xml file" -msgstr "" +msgstr "Sovellus ei sisällä info.xml-tiedostoa" #: installer.php:129 msgid "App can't be installed because of not allowed code in the App" @@ -134,12 +134,12 @@ msgstr "" #: installer.php:160 msgid "App directory already exists" -msgstr "" +msgstr "Sovelluskansio on jo olemassa" #: installer.php:173 #, php-format msgid "Can't create app folder. Please fix permissions. %s" -msgstr "" +msgstr "Sovelluskansion luominen ei onnistu. Korjaa käyttöoikeudet. %s" #: json.php:28 msgid "Application is not enabled" diff --git a/l10n/fi_FI/settings.po b/l10n/fi_FI/settings.po index d104af4d886..92f6acfd299 100644 --- a/l10n/fi_FI/settings.po +++ b/l10n/fi_FI/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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-26 06:20+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" @@ -103,11 +103,11 @@ msgstr "Odota hetki..." #: js/apps.js:71 js/apps.js:72 js/apps.js:92 msgid "Error while disabling app" -msgstr "" +msgstr "Virhe poistaessa sovellusta käytöstä" #: js/apps.js:91 js/apps.js:104 js/apps.js:105 msgid "Error while enabling app" -msgstr "" +msgstr "Virhe ottaessa sovellusta käyttöön" #: js/apps.js:115 msgid "Updating...." @@ -208,7 +208,7 @@ msgstr "" #: templates/admin.php:33 #, php-format msgid "Please double check the installation guides." -msgstr "" +msgstr "Lue asennusohjeet tarkasti." #: templates/admin.php:44 msgid "Module 'fileinfo' missing" @@ -319,7 +319,7 @@ msgstr "Pakota HTTPS" #: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." -msgstr "" +msgstr "Pakottaa asiakasohjelmistot ottamaan yhteyden %siin salatun yhteyden kautta." #: templates/admin.php:191 #, php-format diff --git a/l10n/fr/core.po b/l10n/fr/core.po index b5e48526b0a..93732ea30ea 100644 --- a/l10n/fr/core.po +++ b/l10n/fr/core.po @@ -12,8 +12,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -27,6 +27,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s partagé »%s« avec vous" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Type de catégorie non spécifié." @@ -198,23 +223,23 @@ msgstr "l'année dernière" msgid "years ago" msgstr "il y a plusieurs années" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Choisir" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "Erreur de chargement du modèle du sélecteur de fichier" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Oui" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Non" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Ok" diff --git a/l10n/fr/files.po b/l10n/fr/files.po index 175956137dc..79cb84b3af2 100644 --- a/l10n/fr/files.po +++ b/l10n/fr/files.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -97,21 +97,20 @@ msgstr "Espace disponible insuffisant" msgid "Upload cancelled." msgstr "Envoi annulé." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "L'envoi du fichier est en cours. Quitter cette page maintenant annulera l'envoi du fichier." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "L'URL ne peut-être vide" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nom de dossier invalide. L'utilisation du mot 'Shared' est réservée à Owncloud" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Erreur" @@ -199,29 +198,25 @@ msgid "" "big." msgstr "Votre téléchargement est cours de préparation. Ceci peut nécessiter un certain temps si les fichiers sont volumineux." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Nom de dossier invalide. L'utilisation du mot 'Shared' est réservée à Owncloud" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Nom" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Taille" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Modifié" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/gl/core.po b/l10n/gl/core.po index 50cf7e0e18d..76e182a5b18 100644 --- a/l10n/gl/core.po +++ b/l10n/gl/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -23,6 +23,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s compartiu «%s» con vostede" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Non se indicou o tipo de categoría" @@ -194,23 +219,23 @@ msgstr "último ano" msgid "years ago" msgstr "anos atrás" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Escoller" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "Produciuse un erro ao cargar o modelo do selector de ficheiros" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Si" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Non" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Aceptar" diff --git a/l10n/gl/files.po b/l10n/gl/files.po index 70312ce0d91..ddf953cadeb 100644 --- a/l10n/gl/files.po +++ b/l10n/gl/files.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-08-21 08:10-0400\n" -"PO-Revision-Date: 2013-08-20 11:10+0000\n" -"Last-Translator: mbouzada \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -95,21 +95,20 @@ msgstr "O espazo dispoñíbel é insuficiente" msgid "Upload cancelled." msgstr "Envío cancelado." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "O envío do ficheiro está en proceso. Saír agora da páxina cancelará o envío." -#: js/file-upload.js:234 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "O URL non pode quedar baleiro." -#: js/file-upload.js:239 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nome de cartafol incorrecto. O uso de «Compartido» e «Shared» está reservado para o ownClod" -#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Erro" @@ -197,29 +196,25 @@ msgid "" "big." msgstr "Está a prepararse a súa descarga. Isto pode levar bastante tempo se os ficheiros son grandes." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Nome de cartafol incorrecto. O uso de «Shared» está reservado por Owncloud" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Nome" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Tamaño" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Modificado" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n cartafol" msgstr[1] "%n cartafoles" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n ficheiro" diff --git a/l10n/he/core.po b/l10n/he/core.po index 53f3aae44a7..05f1282b4d1 100644 --- a/l10n/he/core.po +++ b/l10n/he/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-08-23 20:16-0400\n" -"PO-Revision-Date: 2013-08-22 15:40+0000\n" -"Last-Translator: gilshwartz\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -24,6 +24,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s שיתף/שיתפה איתך את »%s«" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "סוג הקטגוריה לא סופק." diff --git a/l10n/he/files.po b/l10n/he/files.po index 1b7e785ebf1..3d889a55126 100644 --- a/l10n/he/files.po +++ b/l10n/he/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -95,21 +95,20 @@ msgstr "" msgid "Upload cancelled." msgstr "ההעלאה בוטלה." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "מתבצעת כעת העלאת קבצים. עזיבה של העמוד תבטל את ההעלאה." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "קישור אינו יכול להיות ריק." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "שגיאה" @@ -197,29 +196,25 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "שם" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "גודל" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "זמן שינוי" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/hi/core.po b/l10n/hi/core.po index 27c6e564ae4..4e3345632b4 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -23,6 +23,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "" @@ -194,23 +219,23 @@ msgstr "" msgid "years ago" msgstr "" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "" diff --git a/l10n/hi/files.po b/l10n/hi/files.po index f3bce0ac149..0255297a18f 100644 --- a/l10n/hi/files.po +++ b/l10n/hi/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "त्रुटि" @@ -196,29 +195,25 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/hr/core.po b/l10n/hr/core.po index fc513b2f685..befdae3d874 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "" @@ -197,23 +222,23 @@ msgstr "prošlu godinu" msgid "years ago" msgstr "godina" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Izaberi" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Da" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Ne" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "U redu" diff --git a/l10n/hr/files.po b/l10n/hr/files.po index b15680bceff..ad81139bafe 100644 --- a/l10n/hr/files.po +++ b/l10n/hr/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "" msgid "Upload cancelled." msgstr "Slanje poništeno." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Učitavanje datoteke. Napuštanjem stranice će prekinuti učitavanje." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Greška" @@ -197,30 +196,26 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Ime" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Veličina" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Zadnja promjena" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/hu_HU/core.po b/l10n/hu_HU/core.po index 715adea419f..f8d7f328ab3 100644 --- a/l10n/hu_HU/core.po +++ b/l10n/hu_HU/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -24,6 +24,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s megosztotta Önnel ezt: »%s«" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Nincs megadva a kategória típusa." @@ -195,23 +220,23 @@ msgstr "tavaly" msgid "years ago" msgstr "több éve" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Válasszon" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "Nem sikerült betölteni a fájlkiválasztó sablont" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Igen" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Nem" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Ok" diff --git a/l10n/hu_HU/files.po b/l10n/hu_HU/files.po index cc2316c691e..9ea607c824b 100644 --- a/l10n/hu_HU/files.po +++ b/l10n/hu_HU/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -95,21 +95,20 @@ msgstr "Nincs elég szabad hely" msgid "Upload cancelled." msgstr "A feltöltést megszakítottuk." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Fájlfeltöltés van folyamatban. Az oldal elhagyása megszakítja a feltöltést." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "Az URL nem lehet semmi." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Érvénytelen mappanév. A 'Shared' az ownCloud számára fenntartott elnevezés" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Hiba" @@ -197,29 +196,25 @@ msgid "" "big." msgstr "Készül a letöltendő állomány. Ez eltarthat egy ideig, ha nagyok a fájlok." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Érvénytelen mappanév. A név használata csak a Owncloud számára lehetséges." - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Név" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Méret" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Módosítva" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/hy/core.po b/l10n/hy/core.po index e2aceb5731c..22460f69ddf 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "" @@ -193,23 +218,23 @@ msgstr "" msgid "years ago" msgstr "" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "" diff --git a/l10n/hy/files.po b/l10n/hy/files.po index 4769f28713c..e645c744ff4 100644 --- a/l10n/hy/files.po +++ b/l10n/hy/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "" @@ -196,29 +195,25 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/ia/core.po b/l10n/ia/core.po index 901f0476070..72f712753e1 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "" @@ -193,23 +218,23 @@ msgstr "" msgid "years ago" msgstr "" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "" diff --git a/l10n/ia/files.po b/l10n/ia/files.po index 0ef13b54839..6000c6cf607 100644 --- a/l10n/ia/files.po +++ b/l10n/ia/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Error" @@ -196,29 +195,25 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Nomine" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Dimension" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Modificate" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/id/core.po b/l10n/id/core.po index abd8fc9cd4d..52e9cf631da 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Tipe kategori tidak diberikan." @@ -189,23 +214,23 @@ msgstr "tahun kemarin" msgid "years ago" msgstr "beberapa tahun lalu" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Pilih" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Ya" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Tidak" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Oke" diff --git a/l10n/id/files.po b/l10n/id/files.po index 2afa9512605..467e1dd2a34 100644 --- a/l10n/id/files.po +++ b/l10n/id/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "Ruang penyimpanan tidak mencukupi" msgid "Upload cancelled." msgstr "Pengunggahan dibatalkan." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Berkas sedang diunggah. Meninggalkan halaman ini akan membatalkan proses." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "URL tidak boleh kosong" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Galat" @@ -195,28 +194,24 @@ msgid "" "big." msgstr "Unduhan Anda sedang disiapkan. Prosesnya dapat berlangsung agak lama jika ukuran berkasnya besar." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Nama folder salah. Nama 'Shared' telah digunakan oleh Owncloud." - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Nama" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Ukuran" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Dimodifikasi" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/is/core.po b/l10n/is/core.po index 875e468f20a..fd37488550a 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -23,6 +23,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Flokkur ekki gefin" @@ -194,23 +219,23 @@ msgstr "síðasta ári" msgid "years ago" msgstr "einhverjum árum" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Veldu" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Já" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Nei" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Í lagi" diff --git a/l10n/is/files.po b/l10n/is/files.po index 0cc47cc2229..64dc57bc97f 100644 --- a/l10n/is/files.po +++ b/l10n/is/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "Ekki nægt pláss tiltækt" msgid "Upload cancelled." msgstr "Hætt við innsendingu." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Innsending í gangi. Ef þú ferð af þessari síðu mun innsending misheppnast." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "Vefslóð má ekki vera tóm." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Villa" @@ -196,29 +195,25 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Óleyfilegt nafn á möppu. Nafnið 'Shared' er frátekið fyrir Owncloud" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Nafn" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Stærð" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Breytt" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/it/core.po b/l10n/it/core.po index c34b608c156..7510ac70b56 100644 --- a/l10n/it/core.po +++ b/l10n/it/core.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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 06:50+0000\n" -"Last-Translator: Vincenzo Reale \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -25,6 +25,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s ha condiviso «%s» con te" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Tipo di categoria non fornito." diff --git a/l10n/it/files.po b/l10n/it/files.po index 8196aed3452..465bb80784f 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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 06:50+0000\n" -"Last-Translator: Vincenzo Reale \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -96,21 +96,20 @@ msgstr "Spazio disponibile insufficiente" msgid "Upload cancelled." msgstr "Invio annullato" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Caricamento del file in corso. La chiusura della pagina annullerà il caricamento." -#: js/file-upload.js:234 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "L'URL non può essere vuoto." -#: js/file-upload.js:239 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nome della cartella non valido. L'uso di 'Shared' è riservato a ownCloud" -#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Errore" @@ -198,29 +197,25 @@ msgid "" "big." msgstr "Il tuo scaricamento è in fase di preparazione. Ciò potrebbe richiedere del tempo se i file sono grandi." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Nome della cartella non valido. L'uso di 'Shared' è riservato da ownCloud" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Nome" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Dimensione" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Modificato" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n cartella" msgstr[1] "%n cartelle" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n file" diff --git a/l10n/ja_JP/core.po b/l10n/ja_JP/core.po index 93d6745203d..e8a091e75a7 100644 --- a/l10n/ja_JP/core.po +++ b/l10n/ja_JP/core.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -26,6 +26,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%sが あなたと »%s«を共有しました" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "カテゴリタイプは提供されていません。" @@ -193,23 +218,23 @@ msgstr "一年前" msgid "years ago" msgstr "年前" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "選択" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "ファイルピッカーのテンプレートの読み込みエラー" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "はい" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "いいえ" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "OK" diff --git a/l10n/ja_JP/files.po b/l10n/ja_JP/files.po index e27df447a18..92124283323 100644 --- a/l10n/ja_JP/files.po +++ b/l10n/ja_JP/files.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-08-21 08:10-0400\n" -"PO-Revision-Date: 2013-08-20 09:00+0000\n" -"Last-Translator: Daisuke Deguchi \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -99,21 +99,20 @@ msgstr "利用可能なスペースが十分にありません" msgid "Upload cancelled." msgstr "アップロードはキャンセルされました。" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "ファイル転送を実行中です。今このページから移動するとアップロードが中止されます。" -#: js/file-upload.js:234 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "URLは空にできません。" -#: js/file-upload.js:239 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "無効なフォルダ名です。'Shared' の利用はownCloudで予約済みです" -#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "エラー" @@ -200,28 +199,24 @@ msgid "" "big." msgstr "ダウンロードの準備中です。ファイルサイズが大きい場合は少し時間がかかるかもしれません。" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "無効なフォルダ名です。'Shared' の利用は ownCloud が予約済みです。" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "名前" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "サイズ" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "変更" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n個のフォルダ" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n個のファイル" diff --git a/l10n/ka/core.po b/l10n/ka/core.po index 16224d91946..d913c55a78d 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "" @@ -189,23 +214,23 @@ msgstr "" msgid "years ago" msgstr "" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "" diff --git a/l10n/ka/files.po b/l10n/ka/files.po index 0ba377534ee..168581e96b0 100644 --- a/l10n/ka/files.po +++ b/l10n/ka/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "" @@ -195,28 +194,24 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/ka_GE/core.po b/l10n/ka_GE/core.po index 13d2a8bc987..6dee08e0240 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "კატეგორიის ტიპი არ არის განხილული." @@ -189,23 +214,23 @@ msgstr "ბოლო წელს" msgid "years ago" msgstr "წლის წინ" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "არჩევა" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "კი" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "არა" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "დიახ" diff --git a/l10n/ka_GE/files.po b/l10n/ka_GE/files.po index 1706eb1ccdd..a2608f17952 100644 --- a/l10n/ka_GE/files.po +++ b/l10n/ka_GE/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "საკმარისი ადგილი არ არის" msgid "Upload cancelled." msgstr "ატვირთვა შეჩერებულ იქნა." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "მიმდინარეობს ფაილის ატვირთვა. სხვა გვერდზე გადასვლა გამოიწვევს ატვირთვის შეჩერებას" -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "URL არ შეიძლება იყოს ცარიელი." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "შეცდომა" @@ -195,28 +194,24 @@ msgid "" "big." msgstr "გადმოწერის მოთხოვნა მუშავდება. ის მოითხოვს გარკვეულ დროს რაგდან ფაილები არის დიდი ზომის." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "დაუშვებელი ფოლდერის სახელი. 'Shared'–ის გამოყენება რეზერვირებულია Owncloud–ის მიერ" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "სახელი" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "ზომა" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "შეცვლილია" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/kn/core.po b/l10n/kn/core.po index 1ebb511ac38..173c3cebfdf 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "" @@ -189,23 +214,23 @@ msgstr "" msgid "years ago" msgstr "" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "" diff --git a/l10n/kn/files.po b/l10n/kn/files.po index 810fccb7bf6..293b737fe12 100644 --- a/l10n/kn/files.po +++ b/l10n/kn/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "" @@ -195,28 +194,24 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/ko/core.po b/l10n/ko/core.po index f99e2b89d90..3c34da3d738 100644 --- a/l10n/ko/core.po +++ b/l10n/ko/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -24,6 +24,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "분류 형식이 제공되지 않았습니다." @@ -150,12 +175,12 @@ msgstr "초 전" #: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" +msgstr[0] "%n분 전 " #: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" +msgstr[0] "%n시간 전 " #: js/js.js:815 msgid "today" @@ -168,7 +193,7 @@ msgstr "어제" #: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" -msgstr[0] "" +msgstr[0] "%n일 전 " #: js/js.js:818 msgid "last month" @@ -177,7 +202,7 @@ msgstr "지난 달" #: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" +msgstr[0] "%n달 전 " #: js/js.js:820 msgid "months ago" @@ -191,23 +216,23 @@ msgstr "작년" msgid "years ago" msgstr "년 전" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "선택" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "예" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "아니요" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "승락" diff --git a/l10n/ko/files.po b/l10n/ko/files.po index cdab5cceeb1..6141204cfa2 100644 --- a/l10n/ko/files.po +++ b/l10n/ko/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -96,21 +96,20 @@ msgstr "여유 공간이 부족합니다" msgid "Upload cancelled." msgstr "업로드가 취소되었습니다." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "파일 업로드가 진행 중입니다. 이 페이지를 벗어나면 업로드가 취소됩니다." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "URL을 입력해야 합니다." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "오류" @@ -197,28 +196,24 @@ msgid "" "big." msgstr "다운로드가 준비 중입니다. 파일 크기가 크다면 시간이 오래 걸릴 수도 있습니다." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "폴더 이름이 유효하지 않습니다. " - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "이름" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "크기" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "수정됨" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/ko/lib.po b/l10n/ko/lib.po index 1c826578446..f320d2ae96d 100644 --- a/l10n/ko/lib.po +++ b/l10n/ko/lib.po @@ -3,14 +3,15 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# chohy , 2013 # smallsnail , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-26 09:30+0000\n" +"Last-Translator: chohy \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" @@ -23,11 +24,11 @@ msgstr "" msgid "" "App \"%s\" can't be installed because it is not compatible with this version" " of ownCloud." -msgstr "" +msgstr "현재 ownCloud 버전과 호환되지 않기 때문에 \"%s\" 앱을 설치할 수 없습니다." #: app.php:250 msgid "No app name specified" -msgstr "" +msgstr "앱 이름이 지정되지 않았습니다." #: app.php:361 msgid "Help" @@ -52,7 +53,7 @@ msgstr "관리자" #: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." -msgstr "" +msgstr "\"%s\" 업그레이드에 실패했습니다." #: defaults.php:35 msgid "web services under your control" @@ -61,7 +62,7 @@ msgstr "내가 관리하는 웹 서비스" #: files.php:66 files.php:98 #, php-format msgid "cannot open \"%s\"" -msgstr "" +msgstr "\"%s\"을(를) 열 수 없습니다." #: files.php:226 msgid "ZIP download is turned off." @@ -87,59 +88,59 @@ msgstr "" #: installer.php:63 msgid "No source specified when installing app" -msgstr "" +msgstr "앱을 설치할 때 소스가 지정되지 않았습니다." #: installer.php:70 msgid "No href specified when installing app from http" -msgstr "" +msgstr "http에서 앱을 설치할 대 href가 지정되지 않았습니다." #: installer.php:75 msgid "No path specified when installing app from local file" -msgstr "" +msgstr "로컬 파일에서 앱을 설치할 때 경로가 지정되지 않았습니다." #: installer.php:89 #, php-format msgid "Archives of type %s are not supported" -msgstr "" +msgstr "%s 타입 아카이브는 지원되지 않습니다." #: installer.php:103 msgid "Failed to open archive when installing app" -msgstr "" +msgstr "앱을 설치할 때 아카이브를 열지 못했습니다." #: installer.php:123 msgid "App does not provide an info.xml file" -msgstr "" +msgstr "앱에서 info.xml 파일이 제공되지 않았습니다." #: installer.php:129 msgid "App can't be installed because of not allowed code in the App" -msgstr "" +msgstr "앱에 허용되지 않는 코드가 있어서 앱을 설치할 수 없습니다. " #: installer.php:138 msgid "" "App can't be installed because it is not compatible with this version of " "ownCloud" -msgstr "" +msgstr "현재 ownCloud 버전과 호환되지 않기 때문에 앱을 설치할 수 없습니다." #: installer.php:144 msgid "" "App can't be installed because it contains the true tag " "which is not allowed for non shipped apps" -msgstr "" +msgstr "출하되지 않은 앱에 허용되지 않는 true 태그를 포함하고 있기 때문에 앱을 설치할 수 없습니다." #: installer.php:150 msgid "" "App can't be installed because the version in info.xml/version is not the " "same as the version reported from the app store" -msgstr "" +msgstr "info.xml/version에 포함된 버전과 앱 스토어에 보고된 버전이 같지 않아서 앱을 설치할 수 없습니다. " #: installer.php:160 msgid "App directory already exists" -msgstr "" +msgstr "앱 디렉토리가 이미 존재합니다. " #: installer.php:173 #, php-format msgid "Can't create app folder. Please fix permissions. %s" -msgstr "" +msgstr "앱 폴더를 만들 수 없습니다. 권한을 수정하십시오. %s " #: json.php:28 msgid "Application is not enabled" @@ -183,16 +184,16 @@ 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 "기존 계정이나 administrator(관리자)를 입력해야 합니다." #: 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 @@ -209,38 +210,38 @@ msgstr "DB 오류: \"%s\"" #: 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 "MySQL 사용자 '%s'@'%%'이(가) 이미 존재합니다. " #: 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 "Oracle 연결을 수립할 수 없습니다." #: setup/oci.php:41 setup/oci.php:113 msgid "Oracle username and/or password not valid" -msgstr "" +msgstr "Oracle 사용자 이름이나 암호가 잘못되었습니다." #: 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" @@ -272,12 +273,12 @@ msgstr "초 전" #: template/functions.php:81 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" +msgstr[0] "%n분 전 " #: template/functions.php:82 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" +msgstr[0] "%n시간 전 " #: template/functions.php:83 msgid "today" @@ -290,7 +291,7 @@ msgstr "어제" #: template/functions.php:85 msgid "%n day go" msgid_plural "%n days ago" -msgstr[0] "" +msgstr[0] "%n일 전 " #: template/functions.php:86 msgid "last month" @@ -299,7 +300,7 @@ msgstr "지난 달" #: template/functions.php:87 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" +msgstr[0] "%n달 전 " #: template/functions.php:88 msgid "last year" @@ -311,7 +312,7 @@ msgstr "년 전" #: template.php:297 msgid "Caused by:" -msgstr "" +msgstr "원인: " #: vcategories.php:188 vcategories.php:249 #, php-format diff --git a/l10n/ku_IQ/core.po b/l10n/ku_IQ/core.po index d258cb5e7f3..450c02ae9f9 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "" @@ -193,23 +218,23 @@ msgstr "" msgid "years ago" msgstr "" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "" diff --git a/l10n/ku_IQ/files.po b/l10n/ku_IQ/files.po index 6a342f3dfac..b8a21fbbfc6 100644 --- a/l10n/ku_IQ/files.po +++ b/l10n/ku_IQ/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "ناونیشانی به‌سته‌ر نابێت به‌تاڵ بێت." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "هه‌ڵه" @@ -196,29 +195,25 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "ناو" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/lb/core.po b/l10n/lb/core.po index 998bef35792..a657f8989de 100644 --- a/l10n/lb/core.po +++ b/l10n/lb/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -23,6 +23,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "Den/D' %s huet »%s« mat dir gedeelt" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Typ vun der Kategorie net uginn." @@ -194,23 +219,23 @@ msgstr "Lescht Joer" msgid "years ago" msgstr "Joren hir" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Auswielen" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "Feeler beim Luede vun der Virlag fir d'Fichiers-Selektioun" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Jo" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Nee" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "OK" diff --git a/l10n/lb/files.po b/l10n/lb/files.po index 2043b2dca23..2b25a70819b 100644 --- a/l10n/lb/files.po +++ b/l10n/lb/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "" msgid "Upload cancelled." msgstr "Upload ofgebrach." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "File Upload am gaang. Wann's de des Säit verléiss gëtt den Upload ofgebrach." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Fehler" @@ -196,29 +195,25 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Numm" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Gréisst" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Geännert" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/lt_LT/core.po b/l10n/lt_LT/core.po index bb9ac1fab08..7921e349d84 100644 --- a/l10n/lt_LT/core.po +++ b/l10n/lt_LT/core.po @@ -3,14 +3,15 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# mambuta , 2013 # Roman Deniobe , 2013 # fizikiukas , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +23,31 @@ msgstr "" #: ajax/share.php:97 #, php-format msgid "%s shared »%s« with you" +msgstr "%s pasidalino »%s« su tavimi" + +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." msgstr "" #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 @@ -150,16 +176,16 @@ msgstr "prieš sekundę" #: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] " prieš %n minutę" +msgstr[1] " prieš %n minučių" +msgstr[2] " prieš %n minučių" #: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "prieš %n valandą" +msgstr[1] "prieš %n valandų" +msgstr[2] "prieš %n valandų" #: js/js.js:815 msgid "today" @@ -183,9 +209,9 @@ msgstr "praeitą mėnesį" #: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "prieš %n mėnesį" +msgstr[1] "prieš %n mėnesius" +msgstr[2] "prieš %n mėnesių" #: js/js.js:820 msgid "months ago" @@ -199,23 +225,23 @@ msgstr "praeitais metais" msgid "years ago" msgstr "prieš metus" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Pasirinkite" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "Klaida pakraunant failų naršyklę" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Taip" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Ne" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Gerai" @@ -382,7 +408,7 @@ msgstr "Atnaujinimas buvo sėkmingas. Nukreipiame į jūsų ownCloud." #: lostpassword/controller.php:61 #, php-format msgid "%s password reset" -msgstr "" +msgstr "%s slaptažodžio atnaujinimas" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" @@ -418,7 +444,7 @@ msgstr "" #: lostpassword/templates/lostpassword.php:24 msgid "Yes, I really want to reset my password now" -msgstr "" +msgstr "Taip, aš tikrai noriu atnaujinti slaptažodį" #: lostpassword/templates/lostpassword.php:27 msgid "Request reset" @@ -583,7 +609,7 @@ msgstr "Atsijungti" #: templates/layout.user.php:100 msgid "More apps" -msgstr "" +msgstr "Daugiau programų" #: templates/login.php:9 msgid "Automatic logon rejected!" diff --git a/l10n/lt_LT/files.po b/l10n/lt_LT/files.po index e4819c2b8f5..d6f81df72fd 100644 --- a/l10n/lt_LT/files.po +++ b/l10n/lt_LT/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -95,21 +95,20 @@ msgstr "Nepakanka vietos" msgid "Upload cancelled." msgstr "Įkėlimas atšauktas." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Failo įkėlimas pradėtas. Jei paliksite šį puslapį, įkėlimas nutrūks." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "URL negali būti tuščias." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Negalimas aplanko pavadinimas. 'Shared' pavadinimas yra rezervuotas ownCloud" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Klaida" @@ -198,30 +197,26 @@ msgid "" "big." msgstr "Jūsų atsisiuntimas yra paruošiamas. tai gali užtrukti jei atsisiunčiamas didelis failas." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Negalimas aplanko pavadinimas. 'Shared' pavadinimas yra rezervuotas ownCloud" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Pavadinimas" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Dydis" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Pakeista" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/lt_LT/lib.po b/l10n/lt_LT/lib.po index 6a642972a44..21df78c7b6a 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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-26 20:00+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" @@ -274,14 +274,14 @@ msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -msgstr[2] "" +msgstr[2] " prieš %n minučių" #: template/functions.php:82 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -msgstr[2] "" +msgstr[2] "prieš %n valandų" #: template/functions.php:83 msgid "today" @@ -307,7 +307,7 @@ msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -msgstr[2] "" +msgstr[2] "prieš %n mėnesių" #: template/functions.php:88 msgid "last year" diff --git a/l10n/lv/core.po b/l10n/lv/core.po index c5a0608398f..9e421bf6a58 100644 --- a/l10n/lv/core.po +++ b/l10n/lv/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -23,6 +23,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s kopīgots »%s« ar jums" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Kategorijas tips nav norādīts." @@ -198,23 +223,23 @@ msgstr "gājušajā gadā" msgid "years ago" msgstr "gadus atpakaļ" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Izvēlieties" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "Kļūda ielādējot datņu ņēmēja veidni" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Jā" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Nē" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Labi" diff --git a/l10n/lv/files.po b/l10n/lv/files.po index fc8b014e7b7..a8d25e9c41d 100644 --- a/l10n/lv/files.po +++ b/l10n/lv/files.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-08-23 20:15-0400\n" -"PO-Revision-Date: 2013-08-23 14:10+0000\n" -"Last-Translator: stendec \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -95,21 +95,20 @@ msgstr "Nepietiek brīvas vietas" msgid "Upload cancelled." msgstr "Augšupielāde ir atcelta." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Notiek augšupielāde. Pametot lapu tagad, tiks atcelta augšupielāde." -#: js/file-upload.js:234 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "URL nevar būt tukšs." -#: js/file-upload.js:239 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Kļūdains mapes nosaukums. 'Shared' lietošana ir rezervēta no ownCloud" -#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Kļūda" @@ -198,30 +197,26 @@ msgid "" "big." msgstr "Tiek sagatavota lejupielāde. Tas var aizņemt kādu laiciņu, ja datnes ir lielas." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Nederīgs mapes nosaukums. “Koplietots” izmantojums ir rezervēts ownCloud servisam." - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Nosaukums" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Izmērs" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Mainīts" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n mapes" msgstr[1] "%n mape" msgstr[2] "%n mapes" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n faili" diff --git a/l10n/mk/core.po b/l10n/mk/core.po index 701879cd51a..5a6ba24801b 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Не беше доставен тип на категорија." @@ -193,23 +218,23 @@ msgstr "минатата година" msgid "years ago" msgstr "пред години" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Избери" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Да" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Не" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Во ред" diff --git a/l10n/mk/files.po b/l10n/mk/files.po index a5d3ad32194..32514622d6d 100644 --- a/l10n/mk/files.po +++ b/l10n/mk/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "" msgid "Upload cancelled." msgstr "Преземањето е прекинато." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Подигање на датотека е во тек. Напуштење на страницата ќе го прекине." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "Адресата неможе да биде празна." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Грешка" @@ -196,29 +195,25 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Име" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Големина" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Променето" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/ml_IN/core.po b/l10n/ml_IN/core.po index fccd1c57f6e..9ad45f5453d 100644 --- a/l10n/ml_IN/core.po +++ b/l10n/ml_IN/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "" @@ -193,23 +218,23 @@ msgstr "" msgid "years ago" msgstr "" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "" diff --git a/l10n/ml_IN/files.po b/l10n/ml_IN/files.po index 83b5a5da14d..141b28bd760 100644 --- a/l10n/ml_IN/files.po +++ b/l10n/ml_IN/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "" @@ -196,29 +195,25 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/ms_MY/core.po b/l10n/ms_MY/core.po index cfb078e9e2a..93497a4ddd9 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "" @@ -189,23 +214,23 @@ msgstr "" msgid "years ago" msgstr "" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Ya" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Tidak" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Ok" diff --git a/l10n/ms_MY/files.po b/l10n/ms_MY/files.po index 83db5d48b58..a199e2b8aca 100644 --- a/l10n/ms_MY/files.po +++ b/l10n/ms_MY/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "" msgid "Upload cancelled." msgstr "Muatnaik dibatalkan." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Ralat" @@ -195,28 +194,24 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Nama" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Saiz" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Dimodifikasi" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/my_MM/core.po b/l10n/my_MM/core.po index a1e4d461931..9731f514725 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "" @@ -189,23 +214,23 @@ msgstr "မနှစ်က" msgid "years ago" msgstr "နှစ် အရင်က" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "ရွေးချယ်" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "ဟုတ်" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "မဟုတ်ဘူး" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "အိုကေ" diff --git a/l10n/my_MM/files.po b/l10n/my_MM/files.po index 84606a993f6..b3e7927bbee 100644 --- a/l10n/my_MM/files.po +++ b/l10n/my_MM/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "" @@ -195,28 +194,24 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/nb_NO/core.po b/l10n/nb_NO/core.po index 6533a847d21..2c6871c83f3 100644 --- a/l10n/nb_NO/core.po +++ b/l10n/nb_NO/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -23,6 +23,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s delte »%s« med deg" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "" @@ -194,23 +219,23 @@ msgstr "forrige år" msgid "years ago" msgstr "år siden" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Velg" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Ja" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Nei" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Ok" diff --git a/l10n/nb_NO/files.po b/l10n/nb_NO/files.po index ea723ff9903..4485c762012 100644 --- a/l10n/nb_NO/files.po +++ b/l10n/nb_NO/files.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -97,21 +97,20 @@ msgstr "Ikke nok lagringsplass" msgid "Upload cancelled." msgstr "Opplasting avbrutt." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Filopplasting pågår. Forlater du siden nå avbrytes opplastingen." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "URL-en kan ikke være tom." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Ugyldig mappenavn. Bruk av \"Shared\" er reservert av ownCloud." -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Feil" @@ -199,29 +198,25 @@ msgid "" "big." msgstr "Nedlastingen din klargjøres. Hvis filene er store kan dette ta litt tid." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Ugyldig mappenavn. Bruk av \"Shared\" er reservert av ownCloud." - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Navn" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Størrelse" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Endret" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n mappe" msgstr[1] "%n mapper" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n fil" diff --git a/l10n/ne/core.po b/l10n/ne/core.po index 8278426322d..fe95a400040 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "" @@ -193,23 +218,23 @@ msgstr "" msgid "years ago" msgstr "" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "" diff --git a/l10n/ne/files.po b/l10n/ne/files.po index d09313ed514..f5777db036d 100644 --- a/l10n/ne/files.po +++ b/l10n/ne/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "" @@ -196,29 +195,25 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/nl/core.po b/l10n/nl/core.po index 59e41074d63..171e8aa635e 100644 --- a/l10n/nl/core.po +++ b/l10n/nl/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -25,6 +25,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s deelde »%s« met jou" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Categorie type niet opgegeven." @@ -196,23 +221,23 @@ msgstr "vorig jaar" msgid "years ago" msgstr "jaar geleden" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Kies" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "Fout bij laden van bestandsselectie sjabloon" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Ja" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Nee" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Ok" diff --git a/l10n/nl/files.po b/l10n/nl/files.po index 154a7551d0c..963583df01e 100644 --- a/l10n/nl/files.po +++ b/l10n/nl/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-08-21 08:10-0400\n" -"PO-Revision-Date: 2013-08-19 22:00+0000\n" -"Last-Translator: kwillems \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -96,21 +96,20 @@ msgstr "Niet genoeg ruimte beschikbaar" msgid "Upload cancelled." msgstr "Uploaden geannuleerd." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Bestandsupload is bezig. Wanneer de pagina nu verlaten wordt, stopt de upload." -#: js/file-upload.js:234 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "URL kan niet leeg zijn." -#: js/file-upload.js:239 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Ongeldige mapnaam. Gebruik van 'Gedeeld' is voorbehouden aan Owncloud zelf" -#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Fout" @@ -198,29 +197,25 @@ msgid "" "big." msgstr "Uw download wordt voorbereid. Dit kan enige tijd duren bij grote bestanden." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Ongeldige mapnaam. Gebruik van'Gedeeld' is voorbehouden aan Owncloud" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Naam" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Grootte" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Aangepast" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "%n mappen" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/nl/lib.po b/l10n/nl/lib.po index 468b5856f6b..08fe305989f 100644 --- a/l10n/nl/lib.po +++ b/l10n/nl/lib.po @@ -4,14 +4,15 @@ # # Translators: # André Koot , 2013 +# kwillems , 2013 # Len , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:30+0000\n" +"Last-Translator: kwillems \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" @@ -28,7 +29,7 @@ msgstr "" #: app.php:250 msgid "No app name specified" -msgstr "" +msgstr "De app naam is niet gespecificeerd." #: app.php:361 msgid "Help" diff --git a/l10n/nl/settings.po b/l10n/nl/settings.po index c3145479931..fef0b93014e 100644 --- a/l10n/nl/settings.po +++ b/l10n/nl/settings.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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:30+0000\n" +"Last-Translator: kwillems \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" @@ -106,11 +106,11 @@ msgstr "Even geduld aub...." #: js/apps.js:71 js/apps.js:72 js/apps.js:92 msgid "Error while disabling app" -msgstr "" +msgstr "Fout tijdens het uitzetten van het programma" #: js/apps.js:91 js/apps.js:104 js/apps.js:105 msgid "Error while enabling app" -msgstr "" +msgstr "Fout tijdens het aanzetten van het programma" #: js/apps.js:115 msgid "Updating...." diff --git a/l10n/nn_NO/core.po b/l10n/nn_NO/core.po index d7afc5bf410..4c578036d79 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -24,6 +24,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Ingen kategoritype." @@ -195,23 +220,23 @@ msgstr "i fjor" msgid "years ago" msgstr "år sidan" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Vel" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Ja" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Nei" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Greitt" diff --git a/l10n/nn_NO/files.po b/l10n/nn_NO/files.po index fe27f782683..1a2e3f21ed4 100644 --- a/l10n/nn_NO/files.po +++ b/l10n/nn_NO/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -96,21 +96,20 @@ msgstr "Ikkje nok lagringsplass tilgjengeleg" msgid "Upload cancelled." msgstr "Opplasting avbroten." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Fila lastar no opp. Viss du forlèt sida no vil opplastinga verta avbroten." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "Nettadressa kan ikkje vera tom." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Ugyldig mappenamn. Mappa «Shared» er reservert av ownCloud" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Feil" @@ -198,29 +197,25 @@ msgid "" "big." msgstr "Gjer klar nedlastinga di. Dette kan ta ei stund viss filene er store." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Ugyldig mappenamn. Mappa «Shared» er reservert av ownCloud" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Namn" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Storleik" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Endra" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/oc/core.po b/l10n/oc/core.po index 0fee2d59130..2bae53a78ec 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "" @@ -193,23 +218,23 @@ msgstr "an passat" msgid "years ago" msgstr "ans a" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Causís" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Òc" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Non" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "D'accòrdi" diff --git a/l10n/oc/files.po b/l10n/oc/files.po index 89aa3f3477c..457161c53ac 100644 --- a/l10n/oc/files.po +++ b/l10n/oc/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "" msgid "Upload cancelled." msgstr "Amontcargar anullat." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Un amontcargar es a se far. Daissar aquesta pagina ara tamparà lo cargament. " -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Error" @@ -196,29 +195,25 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Nom" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Talha" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Modificat" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/pl/core.po b/l10n/pl/core.po index 1917f75d114..54e1e74503c 100644 --- a/l10n/pl/core.po +++ b/l10n/pl/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -24,6 +24,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s Współdzielone »%s« z tobą" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Nie podano typu kategorii." @@ -199,23 +224,23 @@ msgstr "w zeszłym roku" msgid "years ago" msgstr "lat temu" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Wybierz" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "Błąd podczas ładowania pliku wybranego szablonu" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Tak" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Nie" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "OK" diff --git a/l10n/pl/files.po b/l10n/pl/files.po index 4afe550b713..201660307ed 100644 --- a/l10n/pl/files.po +++ b/l10n/pl/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -96,21 +96,20 @@ msgstr "Za mało miejsca" msgid "Upload cancelled." msgstr "Wczytywanie anulowane." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Wysyłanie pliku jest w toku. Jeśli opuścisz tę stronę, wysyłanie zostanie przerwane." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "URL nie może być pusty." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nieprawidłowa nazwa folderu. Wykorzystanie 'Shared' jest zarezerwowane przez ownCloud" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Błąd" @@ -199,30 +198,26 @@ msgid "" "big." msgstr "Pobieranie jest przygotowywane. Może to zająć trochę czasu jeśli pliki są duże." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Nieprawidłowa nazwa folderu. Korzystanie z nazwy „Shared” jest zarezerwowane dla ownCloud" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Nazwa" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Rozmiar" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Modyfikacja" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/pt_BR/core.po b/l10n/pt_BR/core.po index 703b1feb263..bb1c6966b30 100644 --- a/l10n/pt_BR/core.po +++ b/l10n/pt_BR/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -24,6 +24,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s compartilhou »%s« com você" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Tipo de categoria não fornecido." @@ -195,23 +220,23 @@ msgstr "último ano" msgid "years ago" msgstr "anos atrás" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Escolha" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "Template selecionador Erro ao carregar arquivo" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Sim" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Não" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Ok" diff --git a/l10n/pt_BR/files.po b/l10n/pt_BR/files.po index d9250a024c1..1b16070f4ea 100644 --- a/l10n/pt_BR/files.po +++ b/l10n/pt_BR/files.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -97,21 +97,20 @@ msgstr "Espaço de armazenamento insuficiente" msgid "Upload cancelled." msgstr "Envio cancelado." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Upload em andamento. Sair da página agora resultará no cancelamento do envio." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "URL não pode ficar em branco" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nome de pasta inválido. O uso do nome 'Compartilhado' é reservado ao ownCloud" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Erro" @@ -199,29 +198,25 @@ msgid "" "big." msgstr "Seu download está sendo preparado. Isto pode levar algum tempo se os arquivos forem grandes." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Nome de pasta inválido. O uso de 'Shared' é reservado para o Owncloud" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Nome" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Tamanho" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Modificado" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/pt_BR/lib.po b/l10n/pt_BR/lib.po index 509528a2d20..d35e68a4ec1 100644 --- a/l10n/pt_BR/lib.po +++ b/l10n/pt_BR/lib.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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-26 12:50+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" @@ -23,11 +23,11 @@ msgstr "" msgid "" "App \"%s\" can't be installed because it is not compatible with this version" " of ownCloud." -msgstr "" +msgstr "O aplicativo \"%s\" não pode ser instalado porque não é compatível com esta versão do ownCloud." #: app.php:250 msgid "No app name specified" -msgstr "" +msgstr "O nome do aplicativo não foi especificado." #: app.php:361 msgid "Help" @@ -87,59 +87,59 @@ msgstr "Baixe os arquivos em pedaços menores, separadamente ou solicite educada #: installer.php:63 msgid "No source specified when installing app" -msgstr "" +msgstr "Nenhuma fonte foi especificada enquanto instalava o aplicativo" #: installer.php:70 msgid "No href specified when installing app from http" -msgstr "" +msgstr "Nenhuma href foi especificada enquanto instalava o aplicativo de httml" #: installer.php:75 msgid "No path specified when installing app from local file" -msgstr "" +msgstr "Nenhum caminho foi especificado enquanto instalava o aplicativo do arquivo local" #: installer.php:89 #, php-format msgid "Archives of type %s are not supported" -msgstr "" +msgstr "Arquivos do tipo %s não são suportados" #: installer.php:103 msgid "Failed to open archive when installing app" -msgstr "" +msgstr "Falha para abrir o arquivo enquanto instalava o aplicativo" #: installer.php:123 msgid "App does not provide an info.xml file" -msgstr "" +msgstr "O aplicativo não fornece um arquivo info.xml" #: installer.php:129 msgid "App can't be installed because of not allowed code in the App" -msgstr "" +msgstr "O aplicativo não pode ser instalado por causa do código não permitido no Aplivativo" #: installer.php:138 msgid "" "App can't be installed because it is not compatible with this version of " "ownCloud" -msgstr "" +msgstr "O aplicativo não pode ser instalado porque não é compatível com esta versão do ownCloud" #: installer.php:144 msgid "" "App can't be installed because it contains the true tag " "which is not allowed for non shipped apps" -msgstr "" +msgstr "O aplicativo não pode ser instalado porque ele contém a marca verdadeiro que não é permitido para aplicações não embarcadas" #: installer.php:150 msgid "" "App can't be installed because the version in info.xml/version is not the " "same as the version reported from the app store" -msgstr "" +msgstr "O aplicativo não pode ser instalado porque a versão em info.xml /versão não é a mesma que a versão relatada na App Store" #: installer.php:160 msgid "App directory already exists" -msgstr "" +msgstr "Diretório App já existe" #: installer.php:173 #, php-format msgid "Can't create app folder. Please fix permissions. %s" -msgstr "" +msgstr "Não é possível criar pasta app. Corrija as permissões. %s" #: json.php:28 msgid "Application is not enabled" diff --git a/l10n/pt_BR/settings.po b/l10n/pt_BR/settings.po index e6dd573d4dd..4214958d1ab 100644 --- a/l10n/pt_BR/settings.po +++ b/l10n/pt_BR/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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-26 12:21+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" @@ -104,11 +104,11 @@ msgstr "Por favor, aguarde..." #: js/apps.js:71 js/apps.js:72 js/apps.js:92 msgid "Error while disabling app" -msgstr "" +msgstr "Erro enquanto desabilitava o aplicativo" #: js/apps.js:91 js/apps.js:104 js/apps.js:105 msgid "Error while enabling app" -msgstr "" +msgstr "Erro enquanto habilitava o aplicativo" #: js/apps.js:115 msgid "Updating...." diff --git a/l10n/pt_BR/user_ldap.po b/l10n/pt_BR/user_ldap.po index 8e83ab7e75d..b2edb3b335a 100644 --- a/l10n/pt_BR/user_ldap.po +++ b/l10n/pt_BR/user_ldap.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-26 12:30+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" @@ -157,7 +157,7 @@ msgstr "Filtro de Login de Usuário" msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " "username in the login action. Example: \"uid=%%uid\"" -msgstr "" +msgstr "Define o filtro a ser aplicado, o login é feito. %%uid substitui o nome do usuário na ação de login. Exemplo: \"uid=%%uid\"" #: templates/settings.php:55 msgid "User List Filter" @@ -167,7 +167,7 @@ msgstr "Filtro de Lista de Usuário" msgid "" "Defines the filter to apply, when retrieving users (no placeholders). " "Example: \"objectClass=person\"" -msgstr "" +msgstr "Define o filtro a ser aplicado, ao recuperar usuários (sem espaços reservados). Exemplo: \"objectClass=person\"" #: templates/settings.php:59 msgid "Group Filter" @@ -177,7 +177,7 @@ msgstr "Filtro de Grupo" msgid "" "Defines the filter to apply, when retrieving groups (no placeholders). " "Example: \"objectClass=posixGroup\"" -msgstr "" +msgstr "Define o filtro a ser aplicado, ao recuperar grupos (sem espaços reservados). Exemplo: \"objectClass=posixGroup\"" #: templates/settings.php:66 msgid "Connection Settings" @@ -238,7 +238,7 @@ msgstr "Desligar validação de certificado SSL." msgid "" "Not recommended, use it for testing only! If connection only works with this" " option, import the LDAP server's SSL certificate in your %s server." -msgstr "" +msgstr "Não recomendado, use-o somente para teste! Se a conexão só funciona com esta opção, importar o certificado SSL do servidor LDAP em seu servidor %s." #: templates/settings.php:76 msgid "Cache Time-To-Live" diff --git a/l10n/pt_PT/core.po b/l10n/pt_PT/core.po index d1bc08b13f1..2977abfcd41 100644 --- a/l10n/pt_PT/core.po +++ b/l10n/pt_PT/core.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -26,6 +26,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s partilhado »%s« contigo" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Tipo de categoria não fornecido" @@ -197,23 +222,23 @@ msgstr "ano passado" msgid "years ago" msgstr "anos atrás" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Escolha" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "Erro ao carregar arquivo do separador modelo" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Sim" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Não" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Ok" diff --git a/l10n/pt_PT/files.po b/l10n/pt_PT/files.po index 3534f1cc596..8d4a96c779c 100644 --- a/l10n/pt_PT/files.po +++ b/l10n/pt_PT/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -96,21 +96,20 @@ msgstr "Espaço em disco insuficiente!" msgid "Upload cancelled." msgstr "Envio cancelado." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Envio de ficheiro em progresso. Irá cancelar o envio se sair da página agora." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "O URL não pode estar vazio." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nome da pasta inválido. Palavra 'Shared' é reservado pela ownCloud" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Erro" @@ -198,29 +197,25 @@ msgid "" "big." msgstr "O seu download está a ser preparado. Este processo pode demorar algum tempo se os ficheiros forem grandes." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Nome de pasta inválido. O Uso de 'shared' é reservado para o ownCloud" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Nome" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Tamanho" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Modificado" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/ro/core.po b/l10n/ro/core.po index 94a85870e9b..0086ac5350a 100644 --- a/l10n/ro/core.po +++ b/l10n/ro/core.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -26,6 +26,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s Partajat »%s« cu tine de" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Tipul de categorie nu a fost specificat." @@ -201,23 +226,23 @@ msgstr "ultimul an" msgid "years ago" msgstr "ani în urmă" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Alege" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "Eroare la încărcarea șablonului selectorului de fișiere" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Da" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Nu" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Ok" diff --git a/l10n/ro/files.po b/l10n/ro/files.po index 7f0ae89b77f..83791045a81 100644 --- a/l10n/ro/files.po +++ b/l10n/ro/files.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -97,21 +97,20 @@ msgstr "Nu este suficient spațiu disponibil" msgid "Upload cancelled." msgstr "Încărcare anulată." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Fișierul este în curs de încărcare. Părăsirea paginii va întrerupe încărcarea." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "Adresa URL nu poate fi goală." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nume de dosar invalid. Utilizarea 'Shared' e rezervată de ownCloud" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Eroare" @@ -200,30 +199,26 @@ msgid "" "big." msgstr "Se pregătește descărcarea. Aceasta poate să dureze ceva timp dacă fișierele sunt mari." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Invalid folder name. Usage of 'Shared' is reserved by Ownclou" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Nume" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Dimensiune" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Modificat" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/ru/core.po b/l10n/ru/core.po index 0eea0c71445..8858c441489 100644 --- a/l10n/ru/core.po +++ b/l10n/ru/core.po @@ -15,8 +15,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -30,6 +30,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s поделился »%s« с вами" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Тип категории не предоставлен" @@ -205,23 +230,23 @@ msgstr "в прошлом году" msgid "years ago" msgstr "несколько лет назад" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Выбрать" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "Ошибка при загрузке файла выбора шаблона" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Да" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Нет" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Ок" diff --git a/l10n/ru/files.po b/l10n/ru/files.po index a34e9fe5a4c..50051315f02 100644 --- a/l10n/ru/files.po +++ b/l10n/ru/files.po @@ -12,8 +12,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -99,21 +99,20 @@ msgstr "Недостаточно свободного места" msgid "Upload cancelled." msgstr "Загрузка отменена." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Файл в процессе загрузки. Покинув страницу вы прервёте загрузку." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "Ссылка не может быть пустой." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Неправильное имя каталога. Имя 'Shared' зарезервировано." -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Ошибка" @@ -202,30 +201,26 @@ msgid "" "big." msgstr "Загрузка началась. Это может потребовать много времени, если файл большого размера." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Неправильное имя каталога. Имя 'Shared' зарезервировано." - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Имя" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Размер" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Изменён" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n папка" msgstr[1] "%n папки" msgstr[2] "%n папок" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n файл" diff --git a/l10n/ru/settings.po b/l10n/ru/settings.po index 672f6b6bebc..2777eaad80f 100644 --- a/l10n/ru/settings.po +++ b/l10n/ru/settings.po @@ -3,6 +3,7 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Aleksey Grigoryev , 2013 # Alexander Shashkevych , 2013 # alfsoft , 2013 # lord93 , 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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-26 07:10+0000\n" +"Last-Translator: Aleksey Grigoryev \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" @@ -136,7 +137,7 @@ msgstr "Обновлено" #: js/personal.js:150 msgid "Decrypting files... Please wait, this can take some time." -msgstr "" +msgstr "Расшифровка файлов... Пожалуйста, подождите, это может занять некоторое время." #: js/personal.js:172 msgid "Saving..." diff --git a/l10n/si_LK/core.po b/l10n/si_LK/core.po index 1f04852c7aa..c5c0acad459 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "" @@ -193,23 +218,23 @@ msgstr "පෙර අවුරුද්දේ" msgid "years ago" msgstr "අවුරුදු කීපයකට පෙර" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "තෝරන්න" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "ඔව්" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "එපා" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "හරි" diff --git a/l10n/si_LK/files.po b/l10n/si_LK/files.po index b0ac13562ad..eaf1115c621 100644 --- a/l10n/si_LK/files.po +++ b/l10n/si_LK/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "" msgid "Upload cancelled." msgstr "උඩුගත කිරීම අත් හරින්න ලදී" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "උඩුගතකිරීමක් සිදුවේ. පිටුව හැර යාමෙන් එය නැවතෙනු ඇත" -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "යොමුව හිස් විය නොහැක" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "දෝෂයක්" @@ -196,29 +195,25 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "නම" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "ප්‍රමාණය" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "වෙනස් කළ" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/sk/core.po b/l10n/sk/core.po index d3d50d2c755..66e30ab46ba 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "" @@ -197,23 +222,23 @@ msgstr "" msgid "years ago" msgstr "" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "" diff --git a/l10n/sk/files.po b/l10n/sk/files.po index df3871ecaa7..42edcfa625b 100644 --- a/l10n/sk/files.po +++ b/l10n/sk/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "" @@ -197,30 +196,26 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/sk_SK/core.po b/l10n/sk_SK/core.po index c0bc9aaaa61..cd5b6a9b34a 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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-20 19:10+0000\n" -"Last-Translator: mhh \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -23,6 +23,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s s Vami zdieľa »%s«" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Neposkytnutý typ kategórie." diff --git a/l10n/sk_SK/files.po b/l10n/sk_SK/files.po index 62660788d83..82282ef230f 100644 --- a/l10n/sk_SK/files.po +++ b/l10n/sk_SK/files.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-08-21 08:10-0400\n" -"PO-Revision-Date: 2013-08-20 20:20+0000\n" -"Last-Translator: mhh \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -95,21 +95,20 @@ msgstr "Nie je k dispozícii dostatok miesta" msgid "Upload cancelled." msgstr "Odosielanie zrušené." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Opustenie stránky zruší práve prebiehajúce odosielanie súboru." -#: js/file-upload.js:234 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "URL nemôže byť prázdne." -#: js/file-upload.js:239 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Neplatný názov priečinka. Názov \"Shared\" je rezervovaný pre ownCloud" -#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Chyba" @@ -198,30 +197,26 @@ msgid "" "big." msgstr "Vaše sťahovanie sa pripravuje. Ak sú sťahované súbory veľké, môže to chvíľu trvať." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Neplatné meno priečinka. Používanie mena 'Shared' je vyhradené len pre Owncloud" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Názov" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Veľkosť" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Upravené" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n priečinok" msgstr[1] "%n priečinky" msgstr[2] "%n priečinkov" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n súbor" diff --git a/l10n/sl/core.po b/l10n/sl/core.po index 52899493b69..1f8428968ed 100644 --- a/l10n/sl/core.po +++ b/l10n/sl/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -24,6 +24,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s je delil »%s« z vami" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Vrsta kategorije ni podana." @@ -203,23 +228,23 @@ msgstr "lansko leto" msgid "years ago" msgstr "let nazaj" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Izbor" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "Napaka pri nalaganju predloge za izbor dokumenta" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Da" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Ne" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "V redu" diff --git a/l10n/sl/files.po b/l10n/sl/files.po index 693f82abed7..bf44c66320a 100644 --- a/l10n/sl/files.po +++ b/l10n/sl/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -95,21 +95,20 @@ msgstr "Na voljo ni dovolj prostora." msgid "Upload cancelled." msgstr "Pošiljanje je preklicano." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "V teku je pošiljanje datoteke. Če zapustite to stran zdaj, bo pošiljanje preklicano." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "Naslov URL ne sme biti prazna vrednost." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Ime mape je neveljavno. Uporaba oznake \"Souporaba\" je rezervirana za ownCloud" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Napaka" @@ -199,23 +198,19 @@ msgid "" "big." msgstr "Postopek priprave datoteke za prejem je lahko dolgotrajen, če je datoteka zelo velika." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Neveljavno ime mape. Uporaba oznake \"Souporaba\" je zadržan za sistem ownCloud." - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Ime" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Velikost" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Spremenjeno" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" @@ -223,7 +218,7 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/sq/core.po b/l10n/sq/core.po index 178c2c97e10..2424d24dbe6 100644 --- a/l10n/sq/core.po +++ b/l10n/sq/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -24,6 +24,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Mungon tipi i kategorisë." @@ -195,23 +220,23 @@ msgstr "vitin e shkuar" msgid "years ago" msgstr "vite më parë" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Zgjidh" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "Veprim i gabuar gjatë ngarkimit të modelit të zgjedhësit të skedarëve" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Po" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Jo" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Në rregull" diff --git a/l10n/sq/files.po b/l10n/sq/files.po index ace7c037e64..2816c2a5d6c 100644 --- a/l10n/sq/files.po +++ b/l10n/sq/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "Nuk ka hapësirë memorizimi e mjaftueshme" msgid "Upload cancelled." msgstr "Ngarkimi u anulua." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Ngarkimi i skedarit është në vazhdim. Nqse ndërroni faqen tani ngarkimi do të anulohet." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "URL-i nuk mund të jetë bosh." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Veprim i gabuar" @@ -196,29 +195,25 @@ msgid "" "big." msgstr "Shkarkimi juaj po përgatitet. Mund të duhet pak kohë nqse skedarët janë të mëdhenj." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Emri i dosjes është i pavlefshëm. Përdorimi i \"Shared\" është i rezervuar nga Owncloud-i." - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Emri" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Dimensioni" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Modifikuar" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/sr/core.po b/l10n/sr/core.po index 66d80402804..08526acf64e 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Врста категорије није унет." @@ -197,23 +222,23 @@ msgstr "прошле године" msgid "years ago" msgstr "година раније" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Одабери" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Да" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Не" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "У реду" diff --git a/l10n/sr/files.po b/l10n/sr/files.po index 55f54da7a6f..e6d5664fac3 100644 --- a/l10n/sr/files.po +++ b/l10n/sr/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "Нема довољно простора" msgid "Upload cancelled." msgstr "Отпремање је прекинуто." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Отпремање датотеке је у току. Ако сада напустите страницу, прекинућете отпремање." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "Адреса не може бити празна." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Грешка" @@ -197,30 +196,26 @@ msgid "" "big." msgstr "Припремам преузимање. Ово може да потраје ако су датотеке велике." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Неисправно име фасцикле. Фасцикла „Shared“ је резервисана за ownCloud." - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Име" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Величина" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Измењено" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/sr@latin/core.po b/l10n/sr@latin/core.po index 8a0873def51..c8f19598939 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "" @@ -197,23 +222,23 @@ msgstr "" msgid "years ago" msgstr "" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "" diff --git a/l10n/sr@latin/files.po b/l10n/sr@latin/files.po index a24a15a621e..0e1c4986995 100644 --- a/l10n/sr@latin/files.po +++ b/l10n/sr@latin/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "" @@ -197,30 +196,26 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Ime" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Veličina" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Zadnja izmena" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/sv/core.po b/l10n/sv/core.po index 84c312d3d20..0b137ab6018 100644 --- a/l10n/sv/core.po +++ b/l10n/sv/core.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -26,6 +26,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s delade »%s« med dig" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Kategorityp inte angiven." @@ -197,23 +222,23 @@ msgstr "förra året" msgid "years ago" msgstr "år sedan" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Välj" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "Fel vid inläsning av filväljarens mall" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Ja" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Nej" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Ok" diff --git a/l10n/sv/files.po b/l10n/sv/files.po index dbc15ef9f33..b9cbd6f04ab 100644 --- a/l10n/sv/files.po +++ b/l10n/sv/files.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-08-21 08:10-0400\n" -"PO-Revision-Date: 2013-08-19 20:40+0000\n" -"Last-Translator: medialabs\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -98,21 +98,20 @@ msgstr "Inte tillräckligt med utrymme tillgängligt" msgid "Upload cancelled." msgstr "Uppladdning avbruten." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Filuppladdning pågår. Lämnar du sidan så avbryts uppladdningen." -#: js/file-upload.js:234 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "URL kan inte vara tom." -#: js/file-upload.js:239 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Ogiltigt mappnamn. Användning av 'Shared' är reserverad av ownCloud" -#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Fel" @@ -200,29 +199,25 @@ msgid "" "big." msgstr "Din nedladdning förbereds. Det kan ta tid om det är stora filer." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Ogiltigt mappnamn. Användande av 'Shared' är reserverat av ownCloud" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Namn" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Storlek" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Ändrad" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n mapp" msgstr[1] "%n mappar" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n fil" diff --git a/l10n/sw_KE/core.po b/l10n/sw_KE/core.po index e974dc0ec23..d2936e463c6 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "" @@ -193,23 +218,23 @@ msgstr "" msgid "years ago" msgstr "" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "" diff --git a/l10n/sw_KE/files.po b/l10n/sw_KE/files.po index 66f0fff9e78..aa0606fc49f 100644 --- a/l10n/sw_KE/files.po +++ b/l10n/sw_KE/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "" @@ -196,29 +195,25 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/ta_LK/core.po b/l10n/ta_LK/core.po index 2ef228556c5..d0cd9f81d70 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "பிரிவு வகைகள் வழங்கப்படவில்லை" @@ -193,23 +218,23 @@ msgstr "கடந்த வருடம்" msgid "years ago" msgstr "வருடங்களுக்கு முன்" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "தெரிவுசெய்க " -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "ஆம்" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "இல்லை" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "சரி" diff --git a/l10n/ta_LK/files.po b/l10n/ta_LK/files.po index c724be39755..79dfa233f95 100644 --- a/l10n/ta_LK/files.po +++ b/l10n/ta_LK/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "" msgid "Upload cancelled." msgstr "பதிவேற்றல் இரத்து செய்யப்பட்டுள்ளது" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "கோப்பு பதிவேற்றம் செயல்பாட்டில் உள்ளது. இந்தப் பக்கத்திலிருந்து வெறியேறுவதானது பதிவேற்றலை இரத்து செய்யும்." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "URL வெறுமையாக இருக்கமுடியாது." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "வழு" @@ -196,29 +195,25 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "பெயர்" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "அளவு" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "மாற்றப்பட்டது" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/te/core.po b/l10n/te/core.po index 97198eda635..0c79b701dcd 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "" @@ -193,23 +218,23 @@ msgstr "పోయిన సంవత్సరం" msgid "years ago" msgstr "సంవత్సరాల క్రితం" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "అవును" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "కాదు" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "సరే" diff --git a/l10n/te/files.po b/l10n/te/files.po index b9310e4f508..bfc6052c32b 100644 --- a/l10n/te/files.po +++ b/l10n/te/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "పొరపాటు" @@ -196,29 +195,25 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "పేరు" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "పరిమాణం" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/templates/core.pot b/l10n/templates/core.pot index 48e097aef83..9748d786fd9 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-08-25 19:18-0400\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -23,6 +23,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "" diff --git a/l10n/templates/files.pot b/l10n/templates/files.pot index 72f42768dbb..42827509e96 100644 --- a/l10n/templates/files.pot +++ b/l10n/templates/files.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-08-25 19:18-0400\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -95,21 +95,20 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:234 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "" -#: js/file-upload.js:239 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "" @@ -197,29 +196,25 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/templates/files_encryption.pot b/l10n/templates/files_encryption.pot index 455133b4394..4ef21df3b27 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-08-25 19:18-0400\n" +"POT-Creation-Date: 2013-08-27 11:18-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 a0988bcf744..0fb852ce25e 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-08-25 19:18-0400\n" +"POT-Creation-Date: 2013-08-27 11:18-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_sharing.pot b/l10n/templates/files_sharing.pot index 30e7521c201..deda7dac0ca 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-08-25 19:18-0400\n" +"POT-Creation-Date: 2013-08-27 11:18-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_trashbin.pot b/l10n/templates/files_trashbin.pot index 880f2dc9bbb..f8a39c581ce 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-08-25 19:18-0400\n" +"POT-Creation-Date: 2013-08-27 11:18-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 f1852eea337..a275a8ced5d 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-08-25 19:18-0400\n" +"POT-Creation-Date: 2013-08-27 11:18-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 4fd3bc28f34..7d21647abc7 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-08-25 19:18-0400\n" +"POT-Creation-Date: 2013-08-27 11:18-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/settings.pot b/l10n/templates/settings.pot index 6c6ee1f16d3..182d33bd7fc 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-08-25 19:18-0400\n" +"POT-Creation-Date: 2013-08-27 11:18-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_ldap.pot b/l10n/templates/user_ldap.pot index d8312942248..5e4bf621940 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-08-25 19:18-0400\n" +"POT-Creation-Date: 2013-08-27 11:18-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 91adffa0464..155df0e56d8 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-08-25 19:18-0400\n" +"POT-Creation-Date: 2013-08-27 11:18-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 61826ac4db1..c633f99ca63 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "ยังไม่ได้ระบุชนิดของหมวดหมู่" @@ -189,23 +214,23 @@ msgstr "ปีที่แล้ว" msgid "years ago" msgstr "ปี ที่ผ่านมา" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "เลือก" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "ตกลง" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "ไม่ตกลง" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "ตกลง" diff --git a/l10n/th_TH/files.po b/l10n/th_TH/files.po index 00ad518a13b..b690a1127d5 100644 --- a/l10n/th_TH/files.po +++ b/l10n/th_TH/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "มีพื้นที่เหลือไม่เพียงพอ msgid "Upload cancelled." msgstr "การอัพโหลดถูกยกเลิก" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "การอัพโหลดไฟล์กำลังอยู่ในระหว่างดำเนินการ การออกจากหน้าเว็บนี้จะทำให้การอัพโหลดถูกยกเลิก" -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "URL ไม่สามารถเว้นว่างได้" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "ข้อผิดพลาด" @@ -195,28 +194,24 @@ msgid "" "big." msgstr "กำลังเตรียมดาวน์โหลดข้อมูล หากไฟล์มีขนาดใหญ่ อาจใช้เวลาสักครู่" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "ชื่อโฟลเดอร์ไม่ถูกต้อง การใช้งาน 'แชร์' สงวนไว้สำหรับ Owncloud เท่านั้น" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "ชื่อ" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "ขนาด" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "แก้ไขแล้ว" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/tr/core.po b/l10n/tr/core.po index 2605b398b3f..9cdba88e1f1 100644 --- a/l10n/tr/core.po +++ b/l10n/tr/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -24,6 +24,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s sizinle »%s« paylaşımında bulundu" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Kategori türü girilmedi." @@ -195,23 +220,23 @@ msgstr "geçen yıl" msgid "years ago" msgstr "yıl önce" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "seç" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "Seçici şablon dosya yüklemesinde hata" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Evet" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Hayır" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Tamam" diff --git a/l10n/tr/files.po b/l10n/tr/files.po index 28cd5fa42a7..5f272c31eb8 100644 --- a/l10n/tr/files.po +++ b/l10n/tr/files.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-08-23 20:15-0400\n" -"PO-Revision-Date: 2013-08-22 16:50+0000\n" -"Last-Translator: alicanbatur \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -97,21 +97,20 @@ msgstr "Yeterli disk alanı yok" msgid "Upload cancelled." msgstr "Yükleme iptal edildi." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Dosya yükleme işlemi sürüyor. Şimdi sayfadan ayrılırsanız işleminiz iptal olur." -#: js/file-upload.js:234 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "URL boş olamaz." -#: js/file-upload.js:239 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Geçersiz dizin adı. 'Shared' dizin ismi kullanımı ownCloud tarafından rezerve edilmiştir." -#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Hata" @@ -199,29 +198,25 @@ msgid "" "big." msgstr "İndirmeniz hazırlanıyor. Dosya büyük ise biraz zaman alabilir." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Geçersiz dizin adı. Shared isminin kullanımı Owncloud tarafından rezerver edilmiştir." - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "İsim" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Boyut" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Değiştirilme" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n dizin" msgstr[1] "%n dizin" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n dosya" diff --git a/l10n/tr/lib.po b/l10n/tr/lib.po index 6c7882b928a..45e5b713bb1 100644 --- a/l10n/tr/lib.po +++ b/l10n/tr/lib.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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 11:40+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" @@ -24,11 +24,11 @@ msgstr "" msgid "" "App \"%s\" can't be installed because it is not compatible with this version" " of ownCloud." -msgstr "" +msgstr "Owncloud yazılımının bu sürümü ile uyumlu olmadığı için \"%s\" uygulaması kurulamaz." #: app.php:250 msgid "No app name specified" -msgstr "" +msgstr "Uygulama adı belirtimedli" #: app.php:361 msgid "Help" @@ -88,59 +88,59 @@ msgstr "Dosyaları ayrı ayrı, küçük parçalar halinde indirin ya da yöneti #: installer.php:63 msgid "No source specified when installing app" -msgstr "" +msgstr "Uygulama kurulurken bir kaynak belirtilmedi" #: installer.php:70 msgid "No href specified when installing app from http" -msgstr "" +msgstr "Uygulama kuruluyorken http'de href belirtilmedi." #: installer.php:75 msgid "No path specified when installing app from local file" -msgstr "" +msgstr "Uygulama yerel dosyadan kuruluyorken dosya yolu belirtilmedi" #: installer.php:89 #, php-format msgid "Archives of type %s are not supported" -msgstr "" +msgstr "%s arşiv tipi desteklenmiyor" #: installer.php:103 msgid "Failed to open archive when installing app" -msgstr "" +msgstr "Uygulama kuruluyorken arşiv dosyası açılamadı" #: installer.php:123 msgid "App does not provide an info.xml file" -msgstr "" +msgstr "Uygulama info.xml dosyası sağlamıyor" #: installer.php:129 msgid "App can't be installed because of not allowed code in the App" -msgstr "" +msgstr "Uygulamada izin verilmeyeden kodlar olduğu için kurulamıyor." #: installer.php:138 msgid "" "App can't be installed because it is not compatible with this version of " "ownCloud" -msgstr "" +msgstr "Owncloud versiyonunuz ile uyumsuz olduğu için uygulama kurulamıyor." #: installer.php:144 msgid "" "App can't be installed because it contains the true tag " "which is not allowed for non shipped apps" -msgstr "" +msgstr "Uygulama kurulamıyor. Çünkü \"non shipped\" uygulamalar için true tag içermektedir." #: installer.php:150 msgid "" "App can't be installed because the version in info.xml/version is not the " "same as the version reported from the app store" -msgstr "" +msgstr "Uygulama kurulamıyor çünkü info.xml/version ile uygulama marketde belirtilen sürüm aynı değil." #: installer.php:160 msgid "App directory already exists" -msgstr "" +msgstr "App dizini zaten mevcut" #: installer.php:173 #, php-format msgid "Can't create app folder. Please fix permissions. %s" -msgstr "" +msgstr "app dizini oluşturulamıyor. Lütfen izinleri düzeltin. %s" #: json.php:28 msgid "Application is not enabled" diff --git a/l10n/tr/settings.po b/l10n/tr/settings.po index 91c06ffc83b..ae9145f2120 100644 --- a/l10n/tr/settings.po +++ b/l10n/tr/settings.po @@ -6,13 +6,14 @@ # DeeJaVu , 2013 # ismail yenigül , 2013 # tridinebandim, 2013 +# volkangezer , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 00:50+0000\n" +"Last-Translator: volkangezer \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" @@ -105,11 +106,11 @@ msgstr "Lütfen bekleyin...." #: js/apps.js:71 js/apps.js:72 js/apps.js:92 msgid "Error while disabling app" -msgstr "" +msgstr "Uygulama devre dışı bırakılırken hata" #: js/apps.js:91 js/apps.js:104 js/apps.js:105 msgid "Error while enabling app" -msgstr "" +msgstr "Uygulama etkinleştirilirken hata" #: js/apps.js:115 msgid "Updating...." diff --git a/l10n/ug/core.po b/l10n/ug/core.po index 0451be577d5..367645fae74 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+0000\n" "Last-Translator: I Robot \n" "Language-Team: Uighur \n" "MIME-Version: 1.0\n" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "" @@ -189,23 +214,23 @@ msgstr "" msgid "years ago" msgstr "" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "ھەئە" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "ياق" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "جەزملە" diff --git a/l10n/ug/files.po b/l10n/ug/files.po index 10586fef152..bedb7ab4dab 100644 --- a/l10n/ug/files.po +++ b/l10n/ug/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+0000\n" "Last-Translator: I Robot \n" "Language-Team: Uighur \n" "MIME-Version: 1.0\n" @@ -94,21 +94,20 @@ msgstr "يېتەرلىك بوشلۇق يوق" msgid "Upload cancelled." msgstr "يۈكلەشتىن ۋاز كەچتى." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "ھۆججەت يۈكلەش مەشغۇلاتى ئېلىپ بېرىلىۋاتىدۇ. Leaving the page now will cancel the upload." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "خاتالىق" @@ -195,28 +194,24 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "ئاتى" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "چوڭلۇقى" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "ئۆزگەرتكەن" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/uk/core.po b/l10n/uk/core.po index ae0e108f162..5242a384d61 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Не вказано тип категорії." @@ -197,23 +222,23 @@ msgstr "минулого року" msgid "years ago" msgstr "роки тому" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Обрати" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Так" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Ні" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Ok" diff --git a/l10n/uk/files.po b/l10n/uk/files.po index d348a772f94..7510ca1284d 100644 --- a/l10n/uk/files.po +++ b/l10n/uk/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -95,21 +95,20 @@ msgstr "Місця більше немає" msgid "Upload cancelled." msgstr "Завантаження перервано." -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Виконується завантаження файлу. Закриття цієї сторінки приведе до відміни завантаження." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "URL не може бути пустим." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Помилка" @@ -198,30 +197,26 @@ msgid "" "big." msgstr "Ваше завантаження готується. Це може зайняти деякий час, якщо файли завеликі." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Невірне ім'я теки. Використання \"Shared\" зарезервовано Owncloud" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Ім'я" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Розмір" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Змінено" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/ur_PK/core.po b/l10n/ur_PK/core.po index 54407785c05..292342a9802 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "" @@ -193,23 +218,23 @@ msgstr "" msgid "years ago" msgstr "" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "منتخب کریں" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "ہاں" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "نہیں" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "اوکے" diff --git a/l10n/ur_PK/files.po b/l10n/ur_PK/files.po index a8832be5ecc..d3669262ad1 100644 --- a/l10n/ur_PK/files.po +++ b/l10n/ur_PK/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "ایرر" @@ -196,29 +195,25 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/vi/core.po b/l10n/vi/core.po index 9a6b412143e..bf28004b7d1 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -23,6 +23,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "Kiểu hạng mục không được cung cấp." @@ -190,23 +215,23 @@ msgstr "năm trước" msgid "years ago" msgstr "năm trước" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Chọn" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Có" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Không" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Đồng ý" diff --git a/l10n/vi/files.po b/l10n/vi/files.po index 2d6c28b2d58..5f7330c3bc4 100644 --- a/l10n/vi/files.po +++ b/l10n/vi/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -95,21 +95,20 @@ msgstr "Không đủ chỗ trống cần thiết" msgid "Upload cancelled." msgstr "Hủy tải lên" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Tập tin tải lên đang được xử lý. Nếu bạn rời khỏi trang bây giờ sẽ hủy quá trình này." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "URL không được để trống." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "Lỗi" @@ -196,28 +195,24 @@ msgid "" "big." msgstr "Your download is being prepared. This might take some time if the files are big." -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "Tên" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "Kích cỡ" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "Thay đổi" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/zh_CN/core.po b/l10n/zh_CN/core.po index c516d6a84d5..cfa34c88a6d 100644 --- a/l10n/zh_CN/core.po +++ b/l10n/zh_CN/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -24,6 +24,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s 向您分享了 »%s«" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "未提供分类类型。" @@ -191,23 +216,23 @@ msgstr "去年" msgid "years ago" msgstr "年前" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "选择(&C)..." -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "加载文件选择器模板出错" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "是" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "否" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "好" diff --git a/l10n/zh_CN/files.po b/l10n/zh_CN/files.po index f2c016bafb2..d35b319b1c6 100644 --- a/l10n/zh_CN/files.po +++ b/l10n/zh_CN/files.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -97,21 +97,20 @@ msgstr "没有足够可用空间" msgid "Upload cancelled." msgstr "上传已取消" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "文件正在上传中。现在离开此页会导致上传动作被取消。" -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "URL不能为空" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "无效的文件夹名。”Shared“ 是 Owncloud 预留的文件夹" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "错误" @@ -198,28 +197,24 @@ msgid "" "big." msgstr "下载正在准备中。如果文件较大可能会花费一些时间。" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "无效文件夹名。'共享' 是 Owncloud 预留的文件夹名。" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "名称" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "大小" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "修改日期" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n 文件夹" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n个文件" diff --git a/l10n/zh_HK/core.po b/l10n/zh_HK/core.po index f91ec7caff1..da403426370 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -22,6 +22,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "" @@ -189,23 +214,23 @@ msgstr "" msgid "years ago" msgstr "" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Yes" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "No" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "OK" diff --git a/l10n/zh_HK/files.po b/l10n/zh_HK/files.po index ad3332276dd..dc0fe5ad6fb 100644 --- a/l10n/zh_HK/files.po +++ b/l10n/zh_HK/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -94,21 +94,20 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "錯誤" @@ -195,28 +194,24 @@ msgid "" "big." msgstr "" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "名稱" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/zh_TW/core.po b/l10n/zh_TW/core.po index 487c676ed04..ddf0a2225d9 100644 --- a/l10n/zh_TW/core.po +++ b/l10n/zh_TW/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -24,6 +24,31 @@ msgstr "" msgid "%s shared »%s« with you" msgstr "%s 與您分享了 %s" +#: ajax/update.php:11 +msgid "Turned on maintenance mode" +msgstr "" + +#: ajax/update.php:14 +msgid "Turned off maintenance mode" +msgstr "" + +#: ajax/update.php:17 +msgid "Updated database" +msgstr "" + +#: ajax/update.php:20 +msgid "Updating filecache, this may take really long..." +msgstr "" + +#: ajax/update.php:23 +msgid "Updated filecache" +msgstr "" + +#: ajax/update.php:26 +#, php-format +msgid "... %d%% done ..." +msgstr "" + #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." msgstr "未提供分類類型。" @@ -150,12 +175,12 @@ msgstr "幾秒前" #: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" +msgstr[0] "%n 分鐘前" #: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" +msgstr[0] "%n 小時前" #: js/js.js:815 msgid "today" @@ -168,7 +193,7 @@ msgstr "昨天" #: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" -msgstr[0] "" +msgstr[0] "%n 天前" #: js/js.js:818 msgid "last month" @@ -177,7 +202,7 @@ msgstr "上個月" #: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" +msgstr[0] "%n 個月前" #: js/js.js:820 msgid "months ago" @@ -191,23 +216,23 @@ msgstr "去年" msgid "years ago" msgstr "幾年前" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "選擇" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "載入檔案選擇器樣板發生錯誤" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "是" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "否" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "好" @@ -374,7 +399,7 @@ msgstr "升級成功,正將您重新導向至 ownCloud 。" #: lostpassword/controller.php:61 #, php-format msgid "%s password reset" -msgstr "" +msgstr "%s 密碼重設" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" @@ -575,7 +600,7 @@ msgstr "登出" #: templates/layout.user.php:100 msgid "More apps" -msgstr "" +msgstr "更多 Apps" #: templates/login.php:9 msgid "Automatic logon rejected!" diff --git a/l10n/zh_TW/files.po b/l10n/zh_TW/files.po index 6bca4b0ddc8..59f8bf91867 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-27 15:18+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" @@ -95,21 +95,20 @@ msgstr "沒有足夠的可用空間" msgid "Upload cancelled." msgstr "上傳已取消" -#: js/file-upload.js:167 js/files.js:280 +#: js/file-upload.js:167 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "檔案上傳中。離開此頁面將會取消上傳。" -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:241 msgid "URL cannot be empty." msgstr "URL 不能為空白。" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:246 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "無效的資料夾名稱,'Shared' 的使用被 ownCloud 保留" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 -#: js/files.js:709 js/files.js:747 +#: js/file-upload.js:277 js/file-upload.js:293 js/files.js:511 js/files.js:549 msgid "Error" msgstr "錯誤" @@ -156,7 +155,7 @@ msgstr "復原" #: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" -msgstr[0] "" +msgstr[0] "%n 個檔案正在上傳" #: js/filelist.js:518 msgid "files uploading" @@ -188,7 +187,7 @@ msgstr "您的儲存空間快要滿了 ({usedSpacePercent}%)" msgid "" "Encryption was disabled but your files are still encrypted. Please go to " "your personal settings to decrypt your files." -msgstr "" +msgstr "加密已經被停用,但是您的舊檔案還是處於已加密的狀態,請前往個人設定以解密這些檔案。" #: js/files.js:245 msgid "" @@ -196,31 +195,27 @@ msgid "" "big." msgstr "正在準備您的下載,若您的檔案較大,將會需要更多時間。" -#: js/files.js:358 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "無效的資料夾名稱,'Shared' 的使用被 ownCloud 保留" - -#: js/files.js:760 templates/index.php:67 +#: js/files.js:562 templates/index.php:67 msgid "Name" msgstr "名稱" -#: js/files.js:761 templates/index.php:78 +#: js/files.js:563 templates/index.php:78 msgid "Size" msgstr "大小" -#: js/files.js:762 templates/index.php:80 +#: js/files.js:564 templates/index.php:80 msgid "Modified" msgstr "修改" -#: js/files.js:778 +#: js/files.js:580 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" +msgstr[0] "%n 個資料夾" -#: js/files.js:784 +#: js/files.js:586 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" +msgstr[0] "%n 個檔案" #: lib/app.php:73 #, php-format diff --git a/l10n/zh_TW/files_sharing.po b/l10n/zh_TW/files_sharing.po index 6cf49409e59..37faace2e6e 100644 --- a/l10n/zh_TW/files_sharing.po +++ b/l10n/zh_TW/files_sharing.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 18:23+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-26 04: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" @@ -20,7 +20,7 @@ msgstr "" #: templates/authenticate.php:4 msgid "The password is wrong. Try again." -msgstr "" +msgstr "請檢查您的密碼並再試一次。" #: templates/authenticate.php:7 msgid "Password" @@ -32,27 +32,27 @@ msgstr "送出" #: templates/part.404.php:3 msgid "Sorry, this link doesn’t seem to work anymore." -msgstr "" +msgstr "抱歉,這連結看來已經不能用了。" #: templates/part.404.php:4 msgid "Reasons might be:" -msgstr "" +msgstr "可能的原因:" #: templates/part.404.php:6 msgid "the item was removed" -msgstr "" +msgstr "項目已經移除" #: templates/part.404.php:7 msgid "the link expired" -msgstr "" +msgstr "連結過期" #: templates/part.404.php:8 msgid "sharing is disabled" -msgstr "" +msgstr "分享功能已停用" #: templates/part.404.php:10 msgid "For more info, please ask the person who sent this link." -msgstr "" +msgstr "請詢問告訴您此連結的人以瞭解更多" #: templates/public.php:15 #, php-format diff --git a/l10n/zh_TW/files_trashbin.po b/l10n/zh_TW/files_trashbin.po index f51e340bf86..53c5a7baec1 100644 --- a/l10n/zh_TW/files_trashbin.po +++ b/l10n/zh_TW/files_trashbin.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# pellaeon , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-26 04:00+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" @@ -25,11 +26,11 @@ msgstr "無法永久刪除 %s" #: ajax/undelete.php:42 #, php-format msgid "Couldn't restore %s" -msgstr "無法復原 %s" +msgstr "無法還原 %s" #: js/trash.js:7 js/trash.js:100 msgid "perform restore operation" -msgstr "進行復原動作" +msgstr "進行還原動作" #: js/trash.js:20 js/trash.js:48 js/trash.js:118 js/trash.js:146 msgid "Error" @@ -54,16 +55,16 @@ msgstr "已刪除" #: js/trash.js:191 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" +msgstr[0] "%n 個資料夾" #: js/trash.js:197 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" +msgstr[0] "%n 個檔案" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" -msgstr "" +msgstr "已還原" #: templates/index.php:9 msgid "Nothing in here. Your trash bin is empty!" @@ -71,7 +72,7 @@ msgstr "您的垃圾桶是空的!" #: templates/index.php:20 templates/index.php:22 msgid "Restore" -msgstr "復原" +msgstr "還原" #: templates/index.php:30 templates/index.php:31 msgid "Delete" diff --git a/l10n/zh_TW/files_versions.po b/l10n/zh_TW/files_versions.po index bd093d7fda8..cdab9cce2aa 100644 --- a/l10n/zh_TW/files_versions.po +++ b/l10n/zh_TW/files_versions.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-28 01:56-0400\n" -"PO-Revision-Date: 2013-07-27 06:10+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-26 04: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" @@ -29,16 +29,16 @@ msgstr "版本" #: js/versions.js:53 msgid "Failed to revert {file} to revision {timestamp}." -msgstr "" +msgstr "無法還原檔案 {file} 至版本 {timestamp}" #: js/versions.js:79 msgid "More versions..." -msgstr "" +msgstr "更多版本…" #: js/versions.js:116 msgid "No other versions available" -msgstr "" +msgstr "沒有其他版本了" -#: js/versions.js:149 +#: js/versions.js:145 msgid "Restore" msgstr "復原" diff --git a/l10n/zh_TW/lib.po b/l10n/zh_TW/lib.po index 3eef00c98ba..9f1a0e45039 100644 --- a/l10n/zh_TW/lib.po +++ b/l10n/zh_TW/lib.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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-26 04:10+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" @@ -23,11 +23,11 @@ msgstr "" msgid "" "App \"%s\" can't be installed because it is not compatible with this version" " of ownCloud." -msgstr "" +msgstr "無法安裝應用程式 %s 因為它和此版本的 ownCloud 不相容。" #: app.php:250 msgid "No app name specified" -msgstr "" +msgstr "沒有指定應用程式名稱" #: app.php:361 msgid "Help" @@ -52,7 +52,7 @@ msgstr "管理" #: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." -msgstr "" +msgstr "升級失敗:%s" #: defaults.php:35 msgid "web services under your control" @@ -61,7 +61,7 @@ msgstr "由您控制的網路服務" #: files.php:66 files.php:98 #, php-format msgid "cannot open \"%s\"" -msgstr "" +msgstr "無法開啓 %s" #: files.php:226 msgid "ZIP download is turned off." @@ -83,63 +83,63 @@ msgstr "選擇的檔案太大以致於無法產生壓縮檔。" msgid "" "Download the files in smaller chunks, seperately or kindly ask your " "administrator." -msgstr "" +msgstr "以小分割下載您的檔案,請詢問您的系統管理員。" #: installer.php:63 msgid "No source specified when installing app" -msgstr "" +msgstr "沒有指定應用程式安裝來源" #: installer.php:70 msgid "No href specified when installing app from http" -msgstr "" +msgstr "從 http 安裝應用程式,找不到 href 屬性" #: installer.php:75 msgid "No path specified when installing app from local file" -msgstr "" +msgstr "從本地檔案安裝應用程式時沒有指定路徑" #: installer.php:89 #, php-format msgid "Archives of type %s are not supported" -msgstr "" +msgstr "不支援 %s 格式的壓縮檔" #: installer.php:103 msgid "Failed to open archive when installing app" -msgstr "" +msgstr "安裝應用程式時無法開啓壓縮檔" #: installer.php:123 msgid "App does not provide an info.xml file" -msgstr "" +msgstr "應用程式沒有提供 info.xml 檔案" #: installer.php:129 msgid "App can't be installed because of not allowed code in the App" -msgstr "" +msgstr "無法安裝應用程式因為在當中找到危險的代碼" #: installer.php:138 msgid "" "App can't be installed because it is not compatible with this version of " "ownCloud" -msgstr "" +msgstr "無法安裝應用程式因為它和此版本的 ownCloud 不相容。" #: installer.php:144 msgid "" "App can't be installed because it contains the true tag " "which is not allowed for non shipped apps" -msgstr "" +msgstr "無法安裝應用程式,因為它包含了 true 標籤,在未發行的應用程式當中這是不允許的" #: installer.php:150 msgid "" "App can't be installed because the version in info.xml/version is not the " "same as the version reported from the app store" -msgstr "" +msgstr "無法安裝應用程式,因為它在 info.xml/version 宣告的版本與 app store 當中記載的版本不同" #: installer.php:160 msgid "App directory already exists" -msgstr "" +msgstr "應用程式目錄已經存在" #: installer.php:173 #, php-format msgid "Can't create app folder. Please fix permissions. %s" -msgstr "" +msgstr "無法建立應用程式目錄,請檢查權限:%s" #: json.php:28 msgid "Application is not enabled" @@ -272,12 +272,12 @@ msgstr "幾秒前" #: template/functions.php:81 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" +msgstr[0] "%n 分鐘前" #: template/functions.php:82 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" +msgstr[0] "%n 小時前" #: template/functions.php:83 msgid "today" @@ -290,7 +290,7 @@ msgstr "昨天" #: template/functions.php:85 msgid "%n day go" msgid_plural "%n days ago" -msgstr[0] "" +msgstr[0] "%n 天前" #: template/functions.php:86 msgid "last month" @@ -299,7 +299,7 @@ msgstr "上個月" #: template/functions.php:87 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" +msgstr[0] "%n 個月前" #: template/functions.php:88 msgid "last year" @@ -311,7 +311,7 @@ msgstr "幾年前" #: template.php:297 msgid "Caused by:" -msgstr "" +msgstr "原因:" #: vcategories.php:188 vcategories.php:249 #, php-format diff --git a/l10n/zh_TW/settings.po b/l10n/zh_TW/settings.po index aaf71f9d66f..9ba8be581ba 100644 --- a/l10n/zh_TW/settings.po +++ b/l10n/zh_TW/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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-26 04:10+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" @@ -103,11 +103,11 @@ msgstr "請稍候..." #: js/apps.js:71 js/apps.js:72 js/apps.js:92 msgid "Error while disabling app" -msgstr "" +msgstr "停用應用程式錯誤" #: js/apps.js:91 js/apps.js:104 js/apps.js:105 msgid "Error while enabling app" -msgstr "" +msgstr "啓用應用程式錯誤" #: js/apps.js:115 msgid "Updating...." @@ -131,7 +131,7 @@ msgstr "已更新" #: js/personal.js:150 msgid "Decrypting files... Please wait, this can take some time." -msgstr "" +msgstr "檔案解密中,請稍候。" #: js/personal.js:172 msgid "Saving..." @@ -480,15 +480,15 @@ msgstr "加密" #: templates/personal.php:119 msgid "The encryption app is no longer enabled, decrypt all your file" -msgstr "" +msgstr "加密應用程式已經停用,請您解密您所有的檔案" #: templates/personal.php:125 msgid "Log-in password" -msgstr "" +msgstr "登入密碼" #: templates/personal.php:130 msgid "Decrypt all Files" -msgstr "" +msgstr "解密所有檔案" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/zh_TW/user_ldap.po b/l10n/zh_TW/user_ldap.po index c8e59df49f4..fd00e191fde 100644 --- a/l10n/zh_TW/user_ldap.po +++ b/l10n/zh_TW/user_ldap.po @@ -4,13 +4,14 @@ # # Translators: # chenanyeh , 2013 +# pellaeon , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-27 11:18-0400\n" +"PO-Revision-Date: 2013-08-26 06:10+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" @@ -34,13 +35,13 @@ msgstr "設定有效且連線可建立" 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 "設定無效。更多細節請參閱ownCloud的記錄檔。" +msgstr "設定無效,更多細節請參閱 ownCloud 的記錄檔。" #: js/settings.js:66 msgid "Deletion failed" @@ -48,11 +49,11 @@ 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" @@ -80,11 +81,11 @@ 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 "" @@ -97,7 +98,7 @@ msgstr "" msgid "" "Warning: The PHP LDAP module is not installed, the backend will not " "work. Please ask your system administrator to install it." -msgstr "警告:沒有安裝 PHP LDAP 模組,後端系統將無法運作。請要求您的系統管理員安裝模組。" +msgstr "警告:沒有安裝 PHP LDAP 模組,後端系統將無法運作,請要求您的系統管理員安裝模組。" #: templates/settings.php:16 msgid "Server configuration" @@ -114,23 +115,23 @@ msgstr "主機" #: templates/settings.php:39 msgid "" "You can omit the protocol, except you require SSL. Then start with ldaps://" -msgstr "若您不需要SSL加密傳輸則可忽略通訊協定。若非如此請從ldaps://開始" +msgstr "若您不需要 SSL 加密連線則不需輸入通訊協定,反之請輸入 ldaps://" #: templates/settings.php:40 msgid "Base DN" -msgstr "" +msgstr "Base DN" #: templates/settings.php:41 msgid "One Base DN per line" -msgstr "一行一個Base DN" +msgstr "一行一個 Base DN" #: templates/settings.php:42 msgid "You can specify Base DN for users and groups in the Advanced tab" -msgstr "您可以在進階標籤頁裡面指定使用者及群組的Base DN" +msgstr "您可以在進階標籤頁裡面指定使用者及群組的 Base DN" #: templates/settings.php:44 msgid "User DN" -msgstr "" +msgstr "User DN" #: templates/settings.php:46 msgid "" @@ -145,11 +146,11 @@ msgstr "密碼" #: templates/settings.php:50 msgid "For anonymous access, leave DN and Password empty." -msgstr "匿名連接時請將DN與密碼欄位留白" +msgstr "匿名連接時請將 DN 與密碼欄位留白" #: templates/settings.php:51 msgid "User Login Filter" -msgstr "使用者登入過濾器" +msgstr "User Login Filter" #: templates/settings.php:54 #, php-format @@ -160,7 +161,7 @@ msgstr "" #: templates/settings.php:55 msgid "User List Filter" -msgstr "使用者名單篩選器" +msgstr "User List Filter" #: templates/settings.php:58 msgid "" @@ -170,7 +171,7 @@ msgstr "" #: templates/settings.php:59 msgid "Group Filter" -msgstr "群組篩選器" +msgstr "Group Filter" #: templates/settings.php:62 msgid "" @@ -184,7 +185,7 @@ msgstr "連線設定" #: templates/settings.php:68 msgid "Configuration Active" -msgstr "設定為主動模式" +msgstr "設定使用中" #: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." @@ -192,7 +193,7 @@ msgstr "沒有被勾選時,此設定會被略過。" #: templates/settings.php:69 msgid "Port" -msgstr "連接阜" +msgstr "連接埠" #: templates/settings.php:70 msgid "Backup (Replica) Host" @@ -202,11 +203,11 @@ msgstr "備用主機" msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." -msgstr "請給定一個可選的備用主機。必須是LDAP/AD中央伺服器的複本。" +msgstr "可以選擇性設定備用主機,必須是 LDAP/AD 中央伺服器的複本。" #: templates/settings.php:71 msgid "Backup (Replica) Port" -msgstr "備用(複本)連接阜" +msgstr "備用(複本)連接埠" #: templates/settings.php:72 msgid "Disable Main Server" @@ -218,19 +219,19 @@ msgstr "" #: templates/settings.php:73 msgid "Use TLS" -msgstr "使用TLS" +msgstr "使用 TLS" #: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." -msgstr "" +msgstr "不要同時與 LDAPS 使用,會有問題。" #: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" -msgstr "不區分大小寫的LDAP伺服器(Windows)" +msgstr "不區分大小寫的 LDAP 伺服器 (Windows)" #: templates/settings.php:75 msgid "Turn off SSL certificate validation." -msgstr "關閉 SSL 憑證驗證" +msgstr "關閉 SSL 憑證檢查" #: templates/settings.php:75 #, php-format @@ -245,15 +246,15 @@ msgstr "快取的存活時間" #: templates/settings.php:76 msgid "in seconds. A change empties the cache." -msgstr "以秒為單位。更變後會清空快取。" +msgstr "以秒為單位。變更後會清空快取。" #: templates/settings.php:78 msgid "Directory Settings" -msgstr "目錄選項" +msgstr "目錄設定" #: templates/settings.php:80 msgid "User Display Name Field" -msgstr "使用者名稱欄位" +msgstr "使用者顯示名稱欄位" #: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." @@ -261,19 +262,19 @@ msgstr "" #: templates/settings.php:81 msgid "Base User Tree" -msgstr "Base使用者數" +msgstr "Base User Tree" #: templates/settings.php:81 msgid "One User Base DN per line" -msgstr "一行一個使用者Base DN" +msgstr "一行一個使用者 Base DN" #: templates/settings.php:82 msgid "User Search Attributes" -msgstr "使用者搜索屬性" +msgstr "User Search Attributes" #: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" -msgstr "可選的; 一行一項屬性" +msgstr "非必要,一行一項屬性" #: templates/settings.php:83 msgid "Group Display Name Field" @@ -285,19 +286,19 @@ msgstr "" #: templates/settings.php:84 msgid "Base Group Tree" -msgstr "Base群組樹" +msgstr "Base Group Tree" #: templates/settings.php:84 msgid "One Group Base DN per line" -msgstr "一行一個群組Base DN" +msgstr "一行一個 Group Base DN" #: templates/settings.php:85 msgid "Group Search Attributes" -msgstr "群組搜索屬性" +msgstr "Group Search Attributes" #: templates/settings.php:86 msgid "Group-Member association" -msgstr "群組成員的關係" +msgstr "Group-Member association" #: templates/settings.php:88 msgid "Special Attributes" diff --git a/lib/l10n/ca.php b/lib/l10n/ca.php index 83e70585e36..166455e652c 100644 --- a/lib/l10n/ca.php +++ b/lib/l10n/ca.php @@ -1,5 +1,7 @@ "L'aplicació \"%s\" no es pot instal·lar perquè no és compatible amb aquesta versió d'ownCloud.", +"No app name specified" => "No heu especificat cap nom d'aplicació", "Help" => "Ajuda", "Personal" => "Personal", "Settings" => "Configuració", @@ -13,6 +15,18 @@ $TRANSLATIONS = array( "Back to Files" => "Torna a Fitxers", "Selected files too large to generate zip file." => "Els fitxers seleccionats son massa grans per generar un fitxer zip.", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "Baixeu els fitxers en trossos petits, de forma separada, o pregunteu a l'administrador.", +"No source specified when installing app" => "No heu especificat la font en instal·lar l'aplicació", +"No href specified when installing app from http" => "No heu especificat href en instal·lar l'aplicació des de http", +"No path specified when installing app from local file" => "No heu seleccionat el camí en instal·lar una aplicació des d'un fitxer local", +"Archives of type %s are not supported" => "Els fitxers del tipus %s no són compatibles", +"Failed to open archive when installing app" => "Ha fallat l'obertura del fitxer en instal·lar l'aplicació", +"App does not provide an info.xml file" => "L'aplicació no proporciona un fitxer info.xml", +"App can't be installed because of not allowed code in the App" => "L'aplicació no es pot instal·lar perquè hi ha codi no autoritzat en l'aplicació", +"App can't be installed because it is not compatible with this version of ownCloud" => "L'aplicació no es pot instal·lar perquè no és compatible amb aquesta versió d'ownCloud", +"App can't be installed because it contains the true tag which is not allowed for non shipped apps" => "L'aplicació no es pot instal·lar perquè conté l'etiqueta vertader que no es permet per aplicacions no enviades", +"App can't be installed because the version in info.xml/version is not the same as the version reported from the app store" => "L'aplicació no es pot instal·lar perquè la versió a info.xml/version no és la mateixa que la versió indicada des de la botiga d'aplicacions", +"App directory already exists" => "La carpeta de l'aplicació ja existeix", +"Can't create app folder. Please fix permissions. %s" => "No es pot crear la carpeta de l'aplicació. Arregleu els permisos. %s", "Application is not enabled" => "L'aplicació no està habilitada", "Authentication error" => "Error d'autenticació", "Token expired. Please reload page." => "El testimoni ha expirat. Torneu a carregar la pàgina.", diff --git a/lib/l10n/de.php b/lib/l10n/de.php index 01fe5ee0583..8670e1175c6 100644 --- a/lib/l10n/de.php +++ b/lib/l10n/de.php @@ -1,5 +1,7 @@ "Applikation \"%s\" kann nicht installiert werden, da sie mit dieser ownCloud Version nicht kompatibel ist.", +"No app name specified" => "Es wurde kein App-Name angegeben", "Help" => "Hilfe", "Personal" => "Persönlich", "Settings" => "Einstellungen", @@ -13,6 +15,15 @@ $TRANSLATIONS = array( "Back to Files" => "Zurück zu \"Dateien\"", "Selected files too large to generate zip file." => "Die gewählten Dateien sind zu groß, um eine ZIP-Datei zu erstellen.", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "Lade die Dateien in kleineren, separaten, Stücken herunter oder bitte deinen Administrator.", +"No source specified when installing app" => "Für die Installation der Applikation wurde keine Quelle angegeben", +"No href specified when installing app from http" => "href wurde nicht angegeben um die Applikation per http zu installieren", +"No path specified when installing app from local file" => "Bei der Installation der Applikation aus einer lokalen Datei wurde kein Pfad angegeben", +"Archives of type %s are not supported" => "Archive vom Typ %s werden nicht unterstützt", +"Failed to open archive when installing app" => "Das Archive konnte bei der Installation der Applikation nicht geöffnet werden", +"App does not provide an info.xml file" => "Die Applikation enthält keine info,xml Datei", +"App can't be installed because of not allowed code in the App" => "Die Applikation kann auf Grund von unerlaubten Code nicht installiert werden", +"App directory already exists" => "Das Applikationsverzeichnis existiert bereits", +"Can't create app folder. Please fix permissions. %s" => "Es kann kein Applikationsordner erstellt werden. Bitte passen sie die Berechtigungen an. %s", "Application is not enabled" => "Die Anwendung ist nicht aktiviert", "Authentication error" => "Fehler bei der Anmeldung", "Token expired. Please reload page." => "Token abgelaufen. Bitte lade die Seite neu.", diff --git a/lib/l10n/de_CH.php b/lib/l10n/de_CH.php index 188ea4e2fc0..33f3446a693 100644 --- a/lib/l10n/de_CH.php +++ b/lib/l10n/de_CH.php @@ -1,5 +1,7 @@ "Anwendung \"%s\" kann nicht installiert werden, da sie mit dieser Version von ownCloud nicht kompatibel ist.", +"No app name specified" => "Kein App-Name spezifiziert", "Help" => "Hilfe", "Personal" => "Persönlich", "Settings" => "Einstellungen", @@ -13,6 +15,8 @@ $TRANSLATIONS = array( "Back to Files" => "Zurück zu \"Dateien\"", "Selected files too large to generate zip file." => "Die gewählten Dateien sind zu gross, um eine ZIP-Datei zu erstellen.", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "Laden Sie die Dateien in kleineren, separaten, Stücken herunter oder bitten Sie Ihren Administrator.", +"App can't be installed because of not allowed code in the App" => "Anwendung kann wegen nicht erlaubten Codes nicht installiert werden", +"App directory already exists" => "Anwendungsverzeichnis existiert bereits", "Application is not enabled" => "Die Anwendung ist nicht aktiviert", "Authentication error" => "Authentifizierungs-Fehler", "Token expired. Please reload page." => "Token abgelaufen. Bitte laden Sie die Seite neu.", @@ -40,13 +44,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Ihr Web-Server ist noch nicht für eine Datei-Synchronisation konfiguriert, weil die WebDAV-Schnittstelle vermutlich defekt ist.", "Please double check the installation guides." => "Bitte prüfen Sie die Installationsanleitungen.", "seconds ago" => "Gerade eben", -"_%n minute ago_::_%n minutes ago_" => array("",""), -"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n minute ago_::_%n minutes ago_" => array("","Vor %n Minuten"), +"_%n hour ago_::_%n hours ago_" => array("","Vor %n Stunden"), "today" => "Heute", "yesterday" => "Gestern", -"_%n day go_::_%n days ago_" => array("",""), +"_%n day go_::_%n days ago_" => array("","Vor %n Tagen"), "last month" => "Letzten Monat", -"_%n month ago_::_%n months ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("","Vor %n Monaten"), "last year" => "Letztes Jahr", "years ago" => "Vor Jahren", "Caused by:" => "Verursacht durch:", diff --git a/lib/l10n/de_DE.php b/lib/l10n/de_DE.php index 9fd319b7e1b..eafd76b7ee9 100644 --- a/lib/l10n/de_DE.php +++ b/lib/l10n/de_DE.php @@ -13,6 +13,10 @@ $TRANSLATIONS = array( "Back to Files" => "Zurück zu \"Dateien\"", "Selected files too large to generate zip file." => "Die gewählten Dateien sind zu groß, um eine ZIP-Datei zu erstellen.", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "Laden Sie die Dateien in kleineren, separaten, Stücken herunter oder bitten Sie Ihren Administrator.", +"Archives of type %s are not supported" => "Archive des Typs %s werden nicht unterstützt.", +"App can't be installed because it is not compatible with this version of ownCloud" => "Die Anwendung konnte nicht installiert werden, weil Sie nicht mit dieser Version von ownCloud kompatibel ist.", +"App directory already exists" => "Der Ordner für die Anwendung existiert bereits.", +"Can't create app folder. Please fix permissions. %s" => "Der Ordner für die Anwendung konnte nicht angelegt werden. Bitte überprüfen Sie die Ordner- und Dateirechte und passen Sie diese entsprechend an. %s", "Application is not enabled" => "Die Anwendung ist nicht aktiviert", "Authentication error" => "Authentifizierungs-Fehler", "Token expired. Please reload page." => "Token abgelaufen. Bitte laden Sie die Seite neu.", diff --git a/lib/l10n/et_EE.php b/lib/l10n/et_EE.php index a2ac6bcabc9..8e3aa55c4ed 100644 --- a/lib/l10n/et_EE.php +++ b/lib/l10n/et_EE.php @@ -1,5 +1,7 @@ "Rakendit \"%s\" ei saa paigaldada, kuna see pole ühilduv selle ownCloud versiooniga.", +"No app name specified" => "Ühegi rakendi nime pole määratletud", "Help" => "Abiinfo", "Personal" => "Isiklik", "Settings" => "Seaded", @@ -13,6 +15,18 @@ $TRANSLATIONS = array( "Back to Files" => "Tagasi failide juurde", "Selected files too large to generate zip file." => "Valitud failid on ZIP-faili loomiseks liiga suured.", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "Laadi failid alla eraldi väiksemate osadena või küsi nõu oma süsteemiadminstraatorilt.", +"No source specified when installing app" => "Ühegi lähteallikat pole rakendi paigalduseks määratletud", +"No href specified when installing app from http" => "Ühtegi aadressi pole määratletud rakendi paigalduseks veebist", +"No path specified when installing app from local file" => "Ühtegi teed pole määratletud paigaldamaks rakendit kohalikust failist", +"Archives of type %s are not supported" => "%s tüüpi arhiivid pole toetatud", +"Failed to open archive when installing app" => "Arhiivi avamine ebaõnnestus rakendi paigalduse käigus", +"App does not provide an info.xml file" => "Rakend ei paku ühtegi info.xml faili", +"App can't be installed because of not allowed code in the App" => "Rakendit ei saa paigaldada, kuna sisaldab lubamatud koodi", +"App can't be installed because it is not compatible with this version of ownCloud" => "Rakendit ei saa paigaldada, kuna see pole ühilduv selle ownCloud versiooniga.", +"App can't be installed because it contains the true tag which is not allowed for non shipped apps" => "Rakendit ei saa paigaldada, kuna see sisaldab \n\n\ntrue\n\nmärgendit, mis pole lubatud mitte veetud (non shipped) rakendites", +"App can't be installed because the version in info.xml/version is not the same as the version reported from the app store" => "Rakendit ei saa paigaldada, kuna selle versioon info.xml/version pole sama, mis on märgitud rakendite laos.", +"App directory already exists" => "Rakendi kataloog on juba olemas", +"Can't create app folder. Please fix permissions. %s" => "Ei saa luua rakendi kataloogi. Palun korrigeeri õigusi. %s", "Application is not enabled" => "Rakendus pole sisse lülitatud", "Authentication error" => "Autentimise viga", "Token expired. Please reload page." => "Kontrollkood aegus. Paelun lae leht uuesti.", diff --git a/lib/l10n/fi_FI.php b/lib/l10n/fi_FI.php index 4552d4627c0..2e69df43ad2 100644 --- a/lib/l10n/fi_FI.php +++ b/lib/l10n/fi_FI.php @@ -1,5 +1,6 @@ "Sovellusta \"%s\" ei voi asentaa, koska se ei ole yhteensopiva käytössä olevan ownCloud-version kanssa.", "Help" => "Ohje", "Personal" => "Henkilökohtainen", "Settings" => "Asetukset", @@ -10,6 +11,12 @@ $TRANSLATIONS = array( "Files need to be downloaded one by one." => "Tiedostot on ladattava yksittäin.", "Back to Files" => "Takaisin tiedostoihin", "Selected files too large to generate zip file." => "Valitut tiedostot ovat liian suurikokoisia mahtuakseen zip-tiedostoon.", +"No source specified when installing app" => "Lähdettä ei määritelty sovellusta asennettaessa", +"No path specified when installing app from local file" => "Polkua ei määritelty sovellusta asennettaessa paikallisesta tiedostosta", +"Archives of type %s are not supported" => "Tyypin %s arkistot eivät ole tuettuja", +"App does not provide an info.xml file" => "Sovellus ei sisällä info.xml-tiedostoa", +"App directory already exists" => "Sovelluskansio on jo olemassa", +"Can't create app folder. Please fix permissions. %s" => "Sovelluskansion luominen ei onnistu. Korjaa käyttöoikeudet. %s", "Application is not enabled" => "Sovellusta ei ole otettu käyttöön", "Authentication error" => "Tunnistautumisvirhe", "Token expired. Please reload page." => "Valtuutus vanheni. Lataa sivu uudelleen.", diff --git a/lib/l10n/ko.php b/lib/l10n/ko.php index 4dab8b816bf..eec5be65abd 100644 --- a/lib/l10n/ko.php +++ b/lib/l10n/ko.php @@ -1,15 +1,31 @@ "현재 ownCloud 버전과 호환되지 않기 때문에 \"%s\" 앱을 설치할 수 없습니다.", +"No app name specified" => "앱 이름이 지정되지 않았습니다.", "Help" => "도움말", "Personal" => "개인", "Settings" => "설정", "Users" => "사용자", "Admin" => "관리자", +"Failed to upgrade \"%s\"." => "\"%s\" 업그레이드에 실패했습니다.", "web services under your control" => "내가 관리하는 웹 서비스", +"cannot open \"%s\"" => "\"%s\"을(를) 열 수 없습니다.", "ZIP download is turned off." => "ZIP 다운로드가 비활성화되었습니다.", "Files need to be downloaded one by one." => "파일을 개별적으로 다운로드해야 합니다.", "Back to Files" => "파일로 돌아가기", "Selected files too large to generate zip file." => "선택한 파일들은 ZIP 파일을 생성하기에 너무 큽니다.", +"No source specified when installing app" => "앱을 설치할 때 소스가 지정되지 않았습니다.", +"No href specified when installing app from http" => "http에서 앱을 설치할 대 href가 지정되지 않았습니다.", +"No path specified when installing app from local file" => "로컬 파일에서 앱을 설치할 때 경로가 지정되지 않았습니다.", +"Archives of type %s are not supported" => "%s 타입 아카이브는 지원되지 않습니다.", +"Failed to open archive when installing app" => "앱을 설치할 때 아카이브를 열지 못했습니다.", +"App does not provide an info.xml file" => "앱에서 info.xml 파일이 제공되지 않았습니다.", +"App can't be installed because of not allowed code in the App" => "앱에 허용되지 않는 코드가 있어서 앱을 설치할 수 없습니다. ", +"App can't be installed because it is not compatible with this version of ownCloud" => "현재 ownCloud 버전과 호환되지 않기 때문에 앱을 설치할 수 없습니다.", +"App can't be installed because it contains the true tag which is not allowed for non shipped apps" => "출하되지 않은 앱에 허용되지 않는 true 태그를 포함하고 있기 때문에 앱을 설치할 수 없습니다.", +"App can't be installed because the version in info.xml/version is not the same as the version reported from the app store" => "info.xml/version에 포함된 버전과 앱 스토어에 보고된 버전이 같지 않아서 앱을 설치할 수 없습니다. ", +"App directory already exists" => "앱 디렉토리가 이미 존재합니다. ", +"Can't create app folder. Please fix permissions. %s" => "앱 폴더를 만들 수 없습니다. 권한을 수정하십시오. %s ", "Application is not enabled" => "앱이 활성화되지 않았습니다", "Authentication error" => "인증 오류", "Token expired. Please reload page." => "토큰이 만료되었습니다. 페이지를 새로 고치십시오.", @@ -19,22 +35,34 @@ $TRANSLATIONS = array( "%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." => "기존 계정이나 administrator(관리자)를 입력해야 합니다.", +"MySQL username and/or password not valid" => "MySQL 사용자 이름이나 암호가 잘못되었습니다.", "DB Error: \"%s\"" => "DB 오류: \"%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" => "MySQL 사용자 '%s'@'%%'이(가) 이미 존재합니다. ", +"Drop this user from MySQL." => "이 사용자를 MySQL에서 뺍니다.", +"Oracle connection could not be established" => "Oracle 연결을 수립할 수 없습니다.", +"Oracle username and/or password not valid" => "Oracle 사용자 이름이나 암호가 잘못되었습니다.", +"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" => "초 전", -"_%n minute ago_::_%n minutes ago_" => array(""), -"_%n hour ago_::_%n hours ago_" => array(""), +"_%n minute ago_::_%n minutes ago_" => array("%n분 전 "), +"_%n hour ago_::_%n hours ago_" => array("%n시간 전 "), "today" => "오늘", "yesterday" => "어제", -"_%n day go_::_%n days ago_" => array(""), +"_%n day go_::_%n days ago_" => array("%n일 전 "), "last month" => "지난 달", -"_%n month ago_::_%n months ago_" => array(""), +"_%n month ago_::_%n months ago_" => array("%n달 전 "), "last year" => "작년", "years ago" => "년 전", +"Caused by:" => "원인: ", "Could not find category \"%s\"" => "분류 \"%s\"을(를) 찾을 수 없습니다." ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/lib/l10n/lt_LT.php b/lib/l10n/lt_LT.php index fb109b86339..242b0a23106 100644 --- a/lib/l10n/lt_LT.php +++ b/lib/l10n/lt_LT.php @@ -17,13 +17,13 @@ $TRANSLATIONS = array( "Text" => "Žinučių", "Images" => "Paveikslėliai", "seconds ago" => "prieš sekundę", -"_%n minute ago_::_%n minutes ago_" => array("","",""), -"_%n hour ago_::_%n hours ago_" => array("","",""), +"_%n minute ago_::_%n minutes ago_" => array("",""," prieš %n minučių"), +"_%n hour ago_::_%n hours ago_" => array("","","prieš %n valandų"), "today" => "šiandien", "yesterday" => "vakar", "_%n day go_::_%n days ago_" => array("","",""), "last month" => "praeitą mėnesį", -"_%n month ago_::_%n months ago_" => array("","",""), +"_%n month ago_::_%n months ago_" => array("","","prieš %n mėnesių"), "last year" => "praeitais metais", "years ago" => "prieš metus" ); diff --git a/lib/l10n/nl.php b/lib/l10n/nl.php index 338c3673c5b..e546c1f3179 100644 --- a/lib/l10n/nl.php +++ b/lib/l10n/nl.php @@ -1,5 +1,6 @@ "De app naam is niet gespecificeerd.", "Help" => "Help", "Personal" => "Persoonlijk", "Settings" => "Instellingen", diff --git a/lib/l10n/pt_BR.php b/lib/l10n/pt_BR.php index 52329667174..a2379ca4883 100644 --- a/lib/l10n/pt_BR.php +++ b/lib/l10n/pt_BR.php @@ -1,5 +1,7 @@ "O aplicativo \"%s\" não pode ser instalado porque não é compatível com esta versão do ownCloud.", +"No app name specified" => "O nome do aplicativo não foi especificado.", "Help" => "Ajuda", "Personal" => "Pessoal", "Settings" => "Ajustes", @@ -13,6 +15,18 @@ $TRANSLATIONS = array( "Back to Files" => "Voltar para Arquivos", "Selected files too large to generate zip file." => "Arquivos selecionados são muito grandes para gerar arquivo zip.", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "Baixe os arquivos em pedaços menores, separadamente ou solicite educadamente ao seu administrador.", +"No source specified when installing app" => "Nenhuma fonte foi especificada enquanto instalava o aplicativo", +"No href specified when installing app from http" => "Nenhuma href foi especificada enquanto instalava o aplicativo de httml", +"No path specified when installing app from local file" => "Nenhum caminho foi especificado enquanto instalava o aplicativo do arquivo local", +"Archives of type %s are not supported" => "Arquivos do tipo %s não são suportados", +"Failed to open archive when installing app" => "Falha para abrir o arquivo enquanto instalava o aplicativo", +"App does not provide an info.xml file" => "O aplicativo não fornece um arquivo info.xml", +"App can't be installed because of not allowed code in the App" => "O aplicativo não pode ser instalado por causa do código não permitido no Aplivativo", +"App can't be installed because it is not compatible with this version of ownCloud" => "O aplicativo não pode ser instalado porque não é compatível com esta versão do ownCloud", +"App can't be installed because it contains the true tag which is not allowed for non shipped apps" => "O aplicativo não pode ser instalado porque ele contém a marca verdadeiro que não é permitido para aplicações não embarcadas", +"App can't be installed because the version in info.xml/version is not the same as the version reported from the app store" => "O aplicativo não pode ser instalado porque a versão em info.xml /versão não é a mesma que a versão relatada na App Store", +"App directory already exists" => "Diretório App já existe", +"Can't create app folder. Please fix permissions. %s" => "Não é possível criar pasta app. Corrija as permissões. %s", "Application is not enabled" => "Aplicação não está habilitada", "Authentication error" => "Erro de autenticação", "Token expired. Please reload page." => "Token expirou. Por favor recarregue a página.", diff --git a/lib/l10n/tr.php b/lib/l10n/tr.php index 498469ea8b1..b63c37c7240 100644 --- a/lib/l10n/tr.php +++ b/lib/l10n/tr.php @@ -1,5 +1,7 @@ "Owncloud yazılımının bu sürümü ile uyumlu olmadığı için \"%s\" uygulaması kurulamaz.", +"No app name specified" => "Uygulama adı belirtimedli", "Help" => "Yardım", "Personal" => "Kişisel", "Settings" => "Ayarlar", @@ -13,6 +15,18 @@ $TRANSLATIONS = array( "Back to Files" => "Dosyalara dön", "Selected files too large to generate zip file." => "Seçilen dosyalar bir zip dosyası oluşturmak için fazla büyüktür.", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "Dosyaları ayrı ayrı, küçük parçalar halinde indirin ya da yöneticinizden yardım isteyin. ", +"No source specified when installing app" => "Uygulama kurulurken bir kaynak belirtilmedi", +"No href specified when installing app from http" => "Uygulama kuruluyorken http'de href belirtilmedi.", +"No path specified when installing app from local file" => "Uygulama yerel dosyadan kuruluyorken dosya yolu belirtilmedi", +"Archives of type %s are not supported" => "%s arşiv tipi desteklenmiyor", +"Failed to open archive when installing app" => "Uygulama kuruluyorken arşiv dosyası açılamadı", +"App does not provide an info.xml file" => "Uygulama info.xml dosyası sağlamıyor", +"App can't be installed because of not allowed code in the App" => "Uygulamada izin verilmeyeden kodlar olduğu için kurulamıyor.", +"App can't be installed because it is not compatible with this version of ownCloud" => "Owncloud versiyonunuz ile uyumsuz olduğu için uygulama kurulamıyor.", +"App can't be installed because it contains the true tag which is not allowed for non shipped apps" => "Uygulama kurulamıyor. Çünkü \"non shipped\" uygulamalar için true tag içermektedir.", +"App can't be installed because the version in info.xml/version is not the same as the version reported from the app store" => "Uygulama kurulamıyor çünkü info.xml/version ile uygulama marketde belirtilen sürüm aynı değil.", +"App directory already exists" => "App dizini zaten mevcut", +"Can't create app folder. Please fix permissions. %s" => "app dizini oluşturulamıyor. Lütfen izinleri düzeltin. %s", "Application is not enabled" => "Uygulama etkinleştirilmedi", "Authentication error" => "Kimlik doğrulama hatası", "Token expired. Please reload page." => "Jetonun süresi geçti. Lütfen sayfayı yenileyin.", diff --git a/lib/l10n/zh_TW.php b/lib/l10n/zh_TW.php index f405eb88ae9..210c766aa59 100644 --- a/lib/l10n/zh_TW.php +++ b/lib/l10n/zh_TW.php @@ -1,15 +1,32 @@ "無法安裝應用程式 %s 因為它和此版本的 ownCloud 不相容。", +"No app name specified" => "沒有指定應用程式名稱", "Help" => "說明", "Personal" => "個人", "Settings" => "設定", "Users" => "使用者", "Admin" => "管理", +"Failed to upgrade \"%s\"." => "升級失敗:%s", "web services under your control" => "由您控制的網路服務", +"cannot open \"%s\"" => "無法開啓 %s", "ZIP download is turned off." => "ZIP 下載已關閉。", "Files need to be downloaded one by one." => "檔案需要逐一下載。", "Back to Files" => "回到檔案列表", "Selected files too large to generate zip file." => "選擇的檔案太大以致於無法產生壓縮檔。", +"Download the files in smaller chunks, seperately or kindly ask your administrator." => "以小分割下載您的檔案,請詢問您的系統管理員。", +"No source specified when installing app" => "沒有指定應用程式安裝來源", +"No href specified when installing app from http" => "從 http 安裝應用程式,找不到 href 屬性", +"No path specified when installing app from local file" => "從本地檔案安裝應用程式時沒有指定路徑", +"Archives of type %s are not supported" => "不支援 %s 格式的壓縮檔", +"Failed to open archive when installing app" => "安裝應用程式時無法開啓壓縮檔", +"App does not provide an info.xml file" => "應用程式沒有提供 info.xml 檔案", +"App can't be installed because of not allowed code in the App" => "無法安裝應用程式因為在當中找到危險的代碼", +"App can't be installed because it is not compatible with this version of ownCloud" => "無法安裝應用程式因為它和此版本的 ownCloud 不相容。", +"App can't be installed because it contains the true tag which is not allowed for non shipped apps" => "無法安裝應用程式,因為它包含了 true 標籤,在未發行的應用程式當中這是不允許的", +"App can't be installed because the version in info.xml/version is not the same as the version reported from the app store" => "無法安裝應用程式,因為它在 info.xml/version 宣告的版本與 app store 當中記載的版本不同", +"App directory already exists" => "應用程式目錄已經存在", +"Can't create app folder. Please fix permissions. %s" => "無法建立應用程式目錄,請檢查權限:%s", "Application is not enabled" => "應用程式未啟用", "Authentication error" => "認證錯誤", "Token expired. Please reload page." => "Token 過期,請重新整理頁面。", @@ -37,15 +54,16 @@ $TRANSLATIONS = array( "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" => "幾秒前", -"_%n minute ago_::_%n minutes ago_" => array(""), -"_%n hour ago_::_%n hours ago_" => array(""), +"_%n minute ago_::_%n minutes ago_" => array("%n 分鐘前"), +"_%n hour ago_::_%n hours ago_" => array("%n 小時前"), "today" => "今天", "yesterday" => "昨天", -"_%n day go_::_%n days ago_" => array(""), +"_%n day go_::_%n days ago_" => array("%n 天前"), "last month" => "上個月", -"_%n month ago_::_%n months ago_" => array(""), +"_%n month ago_::_%n months ago_" => array("%n 個月前"), "last year" => "去年", "years ago" => "幾年前", +"Caused by:" => "原因:", "Could not find category \"%s\"" => "找不到分類:\"%s\"" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/settings/l10n/ca.php b/settings/l10n/ca.php index f87d92ecbe1..6de7d4518c3 100644 --- a/settings/l10n/ca.php +++ b/settings/l10n/ca.php @@ -20,6 +20,8 @@ $TRANSLATIONS = array( "Disable" => "Desactiva", "Enable" => "Habilita", "Please wait...." => "Espereu...", +"Error while disabling app" => "Error en desactivar l'aplicació", +"Error while enabling app" => "Error en activar l'aplicació", "Updating...." => "Actualitzant...", "Error while updating app" => "Error en actualitzar l'aplicació", "Error" => "Error", diff --git a/settings/l10n/de_CH.php b/settings/l10n/de_CH.php index e3316a9b039..45650a3b440 100644 --- a/settings/l10n/de_CH.php +++ b/settings/l10n/de_CH.php @@ -20,11 +20,14 @@ $TRANSLATIONS = array( "Disable" => "Deaktivieren", "Enable" => "Aktivieren", "Please wait...." => "Bitte warten....", +"Error while disabling app" => "Fehler während der Deaktivierung der Anwendung", +"Error while enabling app" => "Fehler während der Aktivierung der Anwendung", "Updating...." => "Update...", "Error while updating app" => "Es ist ein Fehler während des Updates aufgetreten", "Error" => "Fehler", "Update" => "Update durchführen", "Updated" => "Aktualisiert", +"Decrypting files... Please wait, this can take some time." => "Entschlüssel Dateien ... Bitte warten Sie, denn dieser Vorgang kann einige Zeit beanspruchen.", "Saving..." => "Speichern...", "deleted" => "gelöscht", "undo" => "rückgängig machen", @@ -102,6 +105,9 @@ $TRANSLATIONS = array( "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Verwenden Sie diese Adresse, um auf ihre Dateien per WebDAV zuzugreifen.", "Encryption" => "Verschlüsselung", +"The encryption app is no longer enabled, decrypt all your file" => "Die Anwendung zur Verschlüsselung ist nicht länger aktiv, all Ihre Dateien werden entschlüsselt. ", +"Log-in password" => "Login-Passwort", +"Decrypt all Files" => "Alle Dateien entschlüsseln", "Login Name" => "Loginname", "Create" => "Erstellen", "Admin Recovery Password" => "Admin-Passwort-Wiederherstellung", diff --git a/settings/l10n/de_DE.php b/settings/l10n/de_DE.php index 5a76de7d2e6..c14e5a3606a 100644 --- a/settings/l10n/de_DE.php +++ b/settings/l10n/de_DE.php @@ -20,6 +20,8 @@ $TRANSLATIONS = array( "Disable" => "Deaktivieren", "Enable" => "Aktivieren", "Please wait...." => "Bitte warten....", +"Error while disabling app" => "Beim deaktivieren der Applikation ist ein Fehler aufgetreten.", +"Error while enabling app" => "Beim aktivieren der Applikation ist ein Fehler aufgetreten.", "Updating...." => "Update...", "Error while updating app" => "Es ist ein Fehler während des Updates aufgetreten", "Error" => "Fehler", @@ -39,7 +41,7 @@ $TRANSLATIONS = array( "A valid password must be provided" => "Es muss ein gültiges Passwort angegeben werden", "__language_name__" => "Deutsch (Förmlich: Sie)", "Security Warning" => "Sicherheitshinweis", -"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." => "Ihr Datenverzeichnis und Ihre Dateien sind möglicher Weise aus dem Internet erreichbar. Die .htaccess-Datei funktioniert nicht. Wir raten Ihnen dringend, dass Sie Ihren Webserver dahingehend konfigurieren, dass Ihr Datenverzeichnis nicht länger aus dem Internet erreichbar ist, oder Sie verschieben das Datenverzeichnis außerhalb des Wurzelverzeichnisses des Webservers.", +"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." => "Ihr Datenverzeichnis und Ihre Dateien sind möglicherweise aus dem Internet erreichbar. Die .htaccess-Datei funktioniert nicht. Wir raten Ihnen dringend, dass Sie Ihren Webserver dahingehend konfigurieren, dass Ihr Datenverzeichnis nicht länger aus dem Internet erreichbar ist, oder Sie verschieben das Datenverzeichnis außerhalb des Wurzelverzeichnisses des Webservers.", "Setup Warning" => "Einrichtungswarnung", "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Ihr Web-Server ist noch nicht für eine Datei-Synchronisation konfiguriert, weil die WebDAV-Schnittstelle vermutlich defekt ist.", "Please double check the installation guides." => "Bitte überprüfen Sie die Instalationsanleitungen.", @@ -48,17 +50,17 @@ $TRANSLATIONS = array( "Locale not working" => "Die Lokalisierung funktioniert nicht", "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." => "Die System-Ländereinstellung kann nicht auf %s geändert werden. Dies bedeutet, dass es Probleme mit bestimmten Zeichen in Dateinamen geben könnte. Wir empfehlen, die für %s benötigten Pakete auf ihrem System zu installieren.", "Internet connection not working" => "Keine Internetverbindung", -"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." => "Dieser Server hat keine funktionierende Internetverbindung. Dies bedeutet das einige Funktionen wie z.B. das Einbinden von externen Speichern, Update-Benachrichtigungen oder die Installation von Drittanbieter-Apps nicht funktionieren. Der Fernzugriff auf Dateien und das Senden von Benachrichtigungsmails funktioniert eventuell ebenfalls nicht. Wir empfehlen die Internetverbindung für diesen Server zu aktivieren wenn Sie alle Funktionen nutzen wollen.", +"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." => "Dieser Server hat keine funktionierende Internetverbindung. Dies bedeutet das einige Funktionen wie z.B. das Einbinden von externen Speichern, Update-Benachrichtigungen oder die Installation von Drittanbieter-Apps nicht funktionieren. Der Fernzugriff auf Dateien und das Senden von Benachrichtigungsmails funktioniert eventuell ebenfalls nicht. Wir empfehlen die Internetverbindung für diesen Server zu aktivieren, wenn Sie alle Funktionen nutzen wollen.", "Cron" => "Cron", "Execute one task with each page loaded" => "Eine Aufgabe bei jedem Laden der Seite ausführen", "cron.php is registered at a webcron service to call cron.php once a minute over http." => "cron.php ist als Webcron-Dienst registriert, der die cron.php minütlich per HTTP aufruft.", -"Use systems cron service to call the cron.php file once a minute." => "Benutzen Sie den System-Crondienst um die cron.php minütlich aufzurufen.", +"Use systems cron service to call the cron.php file once a minute." => "Benutzen Sie den System-Crondienst, um die cron.php minütlich aufzurufen.", "Sharing" => "Teilen", "Enable Share API" => "Share-API aktivieren", "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 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" => "Erlaube Weiterverteilen", "Allow users to share items shared with them again" => "Erlaubt Benutzern, mit ihnen geteilte Inhalte erneut zu teilen", diff --git a/settings/l10n/es.php b/settings/l10n/es.php index 971500305da..4f3099b8c24 100644 --- a/settings/l10n/es.php +++ b/settings/l10n/es.php @@ -60,7 +60,7 @@ $TRANSLATIONS = array( "Allow public uploads" => "Permitir subidas públicas", "Allow users to enable others to upload into their publicly shared folders" => "Permitir a los usuarios habilitar a otros para subir archivos en sus carpetas compartidas públicamente", "Allow resharing" => "Permitir re-compartición", -"Allow users to share items shared with them again" => "Permitir a los usuarios compartir elementos ya compartidos con ellos mismos", +"Allow users to share items shared with them again" => "Permitir a los usuarios compartir de nuevo elementos ya compartidos", "Allow users to share with anyone" => "Permitir a los usuarios compartir con todo el mundo", "Allow users to only share with users in their groups" => "Permitir a los usuarios compartir sólo con los usuarios en sus grupos", "Security" => "Seguridad", diff --git a/settings/l10n/et_EE.php b/settings/l10n/et_EE.php index cbe0c838f54..d779a36cb9b 100644 --- a/settings/l10n/et_EE.php +++ b/settings/l10n/et_EE.php @@ -20,6 +20,8 @@ $TRANSLATIONS = array( "Disable" => "Lülita välja", "Enable" => "Lülita sisse", "Please wait...." => "Palun oota...", +"Error while disabling app" => "Viga rakendi keelamisel", +"Error while enabling app" => "Viga rakendi lubamisel", "Updating...." => "Uuendamine...", "Error while updating app" => "Viga rakenduse uuendamisel", "Error" => "Viga", diff --git a/settings/l10n/fi_FI.php b/settings/l10n/fi_FI.php index 9bc90fa63f1..cf2ff5041c1 100644 --- a/settings/l10n/fi_FI.php +++ b/settings/l10n/fi_FI.php @@ -20,6 +20,8 @@ $TRANSLATIONS = array( "Disable" => "Poista käytöstä", "Enable" => "Käytä", "Please wait...." => "Odota hetki...", +"Error while disabling app" => "Virhe poistaessa sovellusta käytöstä", +"Error while enabling app" => "Virhe ottaessa sovellusta käyttöön", "Updating...." => "Päivitetään...", "Error while updating app" => "Virhe sovellusta päivittäessä", "Error" => "Virhe", @@ -39,6 +41,7 @@ $TRANSLATIONS = array( "A valid password must be provided" => "Anna kelvollinen salasana", "__language_name__" => "_kielen_nimi_", "Security Warning" => "Turvallisuusvaroitus", +"Please double check the installation guides." => "Lue asennusohjeet tarkasti.", "Module 'fileinfo' missing" => "Moduuli 'fileinfo' puuttuu", "Internet connection not working" => "Internet-yhteys ei toimi", "Cron" => "Cron", @@ -53,6 +56,7 @@ $TRANSLATIONS = array( "Allow users to only share with users in their groups" => "Salli jakaminen vain samoissa ryhmissä olevien käyttäjien kesken", "Security" => "Tietoturva", "Enforce HTTPS" => "Pakota HTTPS", +"Forces the clients to connect to %s via an encrypted connection." => "Pakottaa asiakasohjelmistot ottamaan yhteyden %siin salatun yhteyden kautta.", "Log" => "Loki", "Log level" => "Lokitaso", "More" => "Enemmän", diff --git a/settings/l10n/nl.php b/settings/l10n/nl.php index d3e4e0e99ac..6e82c9c92f6 100644 --- a/settings/l10n/nl.php +++ b/settings/l10n/nl.php @@ -20,6 +20,8 @@ $TRANSLATIONS = array( "Disable" => "Uitschakelen", "Enable" => "Activeer", "Please wait...." => "Even geduld aub....", +"Error while disabling app" => "Fout tijdens het uitzetten van het programma", +"Error while enabling app" => "Fout tijdens het aanzetten van het programma", "Updating...." => "Bijwerken....", "Error while updating app" => "Fout bij bijwerken app", "Error" => "Fout", diff --git a/settings/l10n/pt_BR.php b/settings/l10n/pt_BR.php index 78fad69c22e..7b51025356b 100644 --- a/settings/l10n/pt_BR.php +++ b/settings/l10n/pt_BR.php @@ -20,6 +20,8 @@ $TRANSLATIONS = array( "Disable" => "Desabilitar", "Enable" => "Habilitar", "Please wait...." => "Por favor, aguarde...", +"Error while disabling app" => "Erro enquanto desabilitava o aplicativo", +"Error while enabling app" => "Erro enquanto habilitava o aplicativo", "Updating...." => "Atualizando...", "Error while updating app" => "Erro ao atualizar aplicativo", "Error" => "Erro", diff --git a/settings/l10n/ru.php b/settings/l10n/ru.php index 3d05f6bb08d..63e502b8d5b 100644 --- a/settings/l10n/ru.php +++ b/settings/l10n/ru.php @@ -25,6 +25,7 @@ $TRANSLATIONS = array( "Error" => "Ошибка", "Update" => "Обновить", "Updated" => "Обновлено", +"Decrypting files... Please wait, this can take some time." => "Расшифровка файлов... Пожалуйста, подождите, это может занять некоторое время.", "Saving..." => "Сохранение...", "deleted" => "удален", "undo" => "отмена", diff --git a/settings/l10n/tr.php b/settings/l10n/tr.php index cd9e26742a0..cd90d2f8a01 100644 --- a/settings/l10n/tr.php +++ b/settings/l10n/tr.php @@ -20,6 +20,8 @@ $TRANSLATIONS = array( "Disable" => "Etkin değil", "Enable" => "Etkinleştir", "Please wait...." => "Lütfen bekleyin....", +"Error while disabling app" => "Uygulama devre dışı bırakılırken hata", +"Error while enabling app" => "Uygulama etkinleştirilirken hata", "Updating...." => "Güncelleniyor....", "Error while updating app" => "Uygulama güncellenirken hata", "Error" => "Hata", diff --git a/settings/l10n/zh_TW.php b/settings/l10n/zh_TW.php index a11182b5a79..5cd3679751b 100644 --- a/settings/l10n/zh_TW.php +++ b/settings/l10n/zh_TW.php @@ -20,11 +20,14 @@ $TRANSLATIONS = array( "Disable" => "停用", "Enable" => "啟用", "Please wait...." => "請稍候...", +"Error while disabling app" => "停用應用程式錯誤", +"Error while enabling app" => "啓用應用程式錯誤", "Updating...." => "更新中...", "Error while updating app" => "更新應用程式錯誤", "Error" => "錯誤", "Update" => "更新", "Updated" => "已更新", +"Decrypting files... Please wait, this can take some time." => "檔案解密中,請稍候。", "Saving..." => "儲存中...", "deleted" => "已刪除", "undo" => "復原", @@ -102,6 +105,9 @@ $TRANSLATIONS = array( "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "使用這個網址來透過 WebDAV 存取您的檔案", "Encryption" => "加密", +"The encryption app is no longer enabled, decrypt all your file" => "加密應用程式已經停用,請您解密您所有的檔案", +"Log-in password" => "登入密碼", +"Decrypt all Files" => "解密所有檔案", "Login Name" => "登入名稱", "Create" => "建立", "Admin Recovery Password" => "管理者復原密碼", -- GitLab From 321c51478245672844a302481c1e2e295fd326fa Mon Sep 17 00:00:00 2001 From: Arthur Schiwon Date: Tue, 27 Aug 2013 13:47:31 +0200 Subject: [PATCH 348/415] LDAP: case insensitive replace for more robustness --- apps/user_ldap/lib/access.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/apps/user_ldap/lib/access.php b/apps/user_ldap/lib/access.php index 6f6b8d0f016..52aa39012fd 100644 --- a/apps/user_ldap/lib/access.php +++ b/apps/user_ldap/lib/access.php @@ -991,7 +991,7 @@ abstract class Access { * internally we store them for usage in LDAP filters */ private function DNasBaseParameter($dn) { - return str_replace('\\5c', '\\', $dn); + return str_ireplace('\\5c', '\\', $dn); } /** -- GitLab From 3eed060ec9f680aed4b254f018d832ade5f873c7 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Tue, 27 Aug 2013 23:53:04 +0200 Subject: [PATCH 349/415] backport of #4357 to master --- apps/files/ajax/upload.php | 24 +++++++++++++--------- apps/files/js/file-upload.js | 26 +++++++++++------------- apps/files_sharing/lib/sharedstorage.php | 10 ++++++--- 3 files changed, 33 insertions(+), 27 deletions(-) diff --git a/apps/files/ajax/upload.php b/apps/files/ajax/upload.php index dde5d3c50af..1d03cd89f83 100644 --- a/apps/files/ajax/upload.php +++ b/apps/files/ajax/upload.php @@ -105,16 +105,20 @@ if (strpos($dir, '..') === false) { $meta = \OC\Files\Filesystem::getFileInfo($target); // updated max file size after upload $storageStats = \OCA\files\lib\Helper::buildFileStorageStatistics($dir); - - $result[] = array('status' => 'success', - 'mime' => $meta['mimetype'], - 'size' => $meta['size'], - 'id' => $meta['fileid'], - 'name' => basename($target), - 'originalname' => $files['name'][$i], - 'uploadMaxFilesize' => $maxUploadFileSize, - 'maxHumanFilesize' => $maxHumanFileSize - ); + if ($meta === false) { + OCP\JSON::error(array('data' => array_merge(array('message' => $l->t('Upload failed')), $storageStats))); + exit(); + } else { + $result[] = array('status' => 'success', + 'mime' => $meta['mimetype'], + 'size' => $meta['size'], + 'id' => $meta['fileid'], + 'name' => basename($target), + 'originalname' => $files['name'][$i], + 'uploadMaxFilesize' => $maxUploadFileSize, + 'maxHumanFilesize' => $maxHumanFileSize + ); + } } } OCP\JSON::encodedPrint($result); diff --git a/apps/files/js/file-upload.js b/apps/files/js/file-upload.js index f262f11f065..1e6ab74fb6d 100644 --- a/apps/files/js/file-upload.js +++ b/apps/files/js/file-upload.js @@ -102,6 +102,18 @@ $(document).ready(function() { var result=$.parseJSON(response); if(typeof result[0] !== 'undefined' && result[0].status === 'success') { + var filename = result[0].originalname; + + // delete jqXHR reference + if (typeof data.context !== 'undefined' && data.context.data('type') === 'dir') { + var dirName = data.context.data('file'); + delete uploadingFiles[dirName][filename]; + if ($.assocArraySize(uploadingFiles[dirName]) == 0) { + delete uploadingFiles[dirName]; + } + } else { + delete uploadingFiles[filename]; + } var file = result[0]; } else { data.textStatus = 'servererror'; @@ -109,20 +121,6 @@ $(document).ready(function() { var fu = $(this).data('blueimp-fileupload') || $(this).data('fileupload'); fu._trigger('fail', e, data); } - - var filename = result[0].originalname; - - // delete jqXHR reference - if (typeof data.context !== 'undefined' && data.context.data('type') === 'dir') { - var dirName = data.context.data('file'); - delete uploadingFiles[dirName][filename]; - if ($.assocArraySize(uploadingFiles[dirName]) == 0) { - delete uploadingFiles[dirName]; - } - } else { - delete uploadingFiles[filename]; - } - }, /** * called after last upload diff --git a/apps/files_sharing/lib/sharedstorage.php b/apps/files_sharing/lib/sharedstorage.php index 7384b094cb0..d91acbbb2bd 100644 --- a/apps/files_sharing/lib/sharedstorage.php +++ b/apps/files_sharing/lib/sharedstorage.php @@ -362,9 +362,13 @@ class Shared extends \OC\Files\Storage\Common { case 'xb': case 'a': case 'ab': - if (!$this->isUpdatable($path)) { - return false; - } + $exists = $this->file_exists($path); + if ($exists && !$this->isUpdatable($path)) { + return false; + } + if (!$exists && !$this->isCreatable(dirname($path))) { + return false; + } } $info = array( 'target' => $this->sharedFolder.$path, -- GitLab From 3e7ddbc9d932ce6c8594f9080404f85d64492cd7 Mon Sep 17 00:00:00 2001 From: Jenkins for ownCloud Date: Wed, 28 Aug 2013 06:24:14 -0400 Subject: [PATCH 350/415] [tx-robot] updated from transifex --- apps/user_webdavauth/l10n/zh_CN.php | 4 +++- core/l10n/da.php | 6 +++++ core/l10n/de.php | 6 +++++ core/l10n/de_DE.php | 6 +++++ core/l10n/et_EE.php | 6 +++++ core/l10n/fi_FI.php | 8 +++++++ core/l10n/ug.php | 1 + core/l10n/zh_CN.php | 18 +++++++++++---- l10n/ar/core.po | 4 ++-- l10n/bn_BD/core.po | 4 ++-- l10n/ca/core.po | 4 ++-- l10n/cs_CZ/core.po | 4 ++-- l10n/cy_GB/core.po | 4 ++-- l10n/da/core.po | 18 +++++++-------- l10n/da/settings.po | 10 ++++----- l10n/de/core.po | 18 +++++++-------- l10n/de_CH/core.po | 4 ++-- l10n/de_DE/core.po | 18 +++++++-------- l10n/el/core.po | 4 ++-- l10n/eo/core.po | 4 ++-- l10n/es/core.po | 4 ++-- l10n/es_AR/core.po | 4 ++-- l10n/et_EE/core.po | 18 +++++++-------- l10n/eu/core.po | 4 ++-- l10n/fa/core.po | 4 ++-- l10n/fi_FI/core.po | 23 ++++++++++--------- l10n/fr/core.po | 4 ++-- l10n/gl/core.po | 4 ++-- l10n/he/core.po | 4 ++-- l10n/hr/core.po | 4 ++-- l10n/hu_HU/core.po | 4 ++-- l10n/id/core.po | 4 ++-- l10n/is/core.po | 4 ++-- l10n/it/core.po | 4 ++-- l10n/ja_JP/core.po | 4 ++-- l10n/ka_GE/core.po | 4 ++-- l10n/ko/core.po | 4 ++-- l10n/lb/core.po | 4 ++-- l10n/lt_LT/core.po | 4 ++-- l10n/lv/core.po | 4 ++-- l10n/mk/core.po | 4 ++-- l10n/nb_NO/core.po | 4 ++-- l10n/nl/core.po | 4 ++-- l10n/nn_NO/core.po | 4 ++-- l10n/oc/core.po | 4 ++-- l10n/pl/core.po | 4 ++-- l10n/pt_BR/core.po | 4 ++-- l10n/pt_PT/core.po | 4 ++-- l10n/ro/core.po | 4 ++-- l10n/ru/core.po | 4 ++-- l10n/sk_SK/core.po | 4 ++-- l10n/sl/core.po | 4 ++-- l10n/sq/core.po | 4 ++-- l10n/sr/core.po | 4 ++-- l10n/sv/core.po | 4 ++-- l10n/sv/settings.po | 10 ++++----- l10n/ta_LK/core.po | 4 ++-- l10n/templates/core.pot | 2 +- l10n/templates/files.pot | 2 +- l10n/templates/files_encryption.pot | 2 +- l10n/templates/files_external.pot | 2 +- l10n/templates/files_sharing.pot | 2 +- l10n/templates/files_trashbin.pot | 2 +- l10n/templates/files_versions.pot | 2 +- l10n/templates/lib.pot | 2 +- l10n/templates/settings.pot | 2 +- l10n/templates/user_ldap.pot | 2 +- l10n/templates/user_webdavauth.pot | 2 +- l10n/th_TH/core.po | 4 ++-- l10n/tr/core.po | 4 ++-- l10n/ug/core.po | 6 ++--- l10n/ug/lib.po | 6 ++--- l10n/ug/settings.po | 25 +++++++++++---------- l10n/uk/core.po | 4 ++-- l10n/ur_PK/core.po | 4 ++-- l10n/vi/core.po | 4 ++-- l10n/zh_CN/core.po | 35 +++++++++++++++-------------- l10n/zh_CN/lib.po | 15 +++++++------ l10n/zh_CN/settings.po | 19 ++++++++-------- l10n/zh_CN/user_webdavauth.po | 10 ++++----- l10n/zh_HK/core.po | 4 ++-- l10n/zh_TW/core.po | 4 ++-- lib/l10n/ug.php | 1 + lib/l10n/zh_CN.php | 7 +++--- settings/l10n/da.php | 2 ++ settings/l10n/sv.php | 2 ++ settings/l10n/ug.php | 9 ++++++++ settings/l10n/zh_CN.php | 6 +++++ 88 files changed, 301 insertions(+), 230 deletions(-) diff --git a/apps/user_webdavauth/l10n/zh_CN.php b/apps/user_webdavauth/l10n/zh_CN.php index 69046042160..a225ea7f577 100644 --- a/apps/user_webdavauth/l10n/zh_CN.php +++ b/apps/user_webdavauth/l10n/zh_CN.php @@ -1,5 +1,7 @@ "WebDAV 认证" +"WebDAV Authentication" => "WebDAV 认证", +"Address: " => "地址:", +"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." => "用户的身份将会被发送到此 URL。这个插件检查返回值并且将 HTTP 状态编码 401 和 403 解释为非法身份,其他所有返回值为合法身份。" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/core/l10n/da.php b/core/l10n/da.php index 79ccc20d495..916975393b7 100644 --- a/core/l10n/da.php +++ b/core/l10n/da.php @@ -1,6 +1,12 @@ "%s delte »%s« med sig", +"Turned on maintenance mode" => "Startede vedligeholdelsestilstand", +"Turned off maintenance mode" => "standsede vedligeholdelsestilstand", +"Updated database" => "Opdaterede database", +"Updating filecache, this may take really long..." => "Opdatere filcache, dette kan tage rigtigt lang tid...", +"Updated filecache" => "Opdaterede filcache", +"... %d%% done ..." => "... %d%% færdig ...", "Category type not provided." => "Kategori typen ikke er fastsat.", "No category to add?" => "Ingen kategori at tilføje?", "This category already exists: %s" => "Kategorien eksisterer allerede: %s", diff --git a/core/l10n/de.php b/core/l10n/de.php index 2fe2f564124..300edb9141d 100644 --- a/core/l10n/de.php +++ b/core/l10n/de.php @@ -1,6 +1,12 @@ "%s teilte »%s« mit Ihnen", +"Turned on maintenance mode" => "Wartungsmodus eingeschaltet", +"Turned off maintenance mode" => "Wartungsmodus ausgeschaltet", +"Updated database" => "Datenbank aktualisiert", +"Updating filecache, this may take really long..." => "Aktualisiere Dateicache, dies könnte eine Weile dauern...", +"Updated filecache" => "Dateicache aktualisiert", +"... %d%% done ..." => "... %d%% erledigt ...", "Category type not provided." => "Kategorie nicht angegeben.", "No category to add?" => "Keine Kategorie hinzuzufügen?", "This category already exists: %s" => "Die Kategorie '%s' existiert bereits.", diff --git a/core/l10n/de_DE.php b/core/l10n/de_DE.php index 60f5418727a..d70dd6e99d9 100644 --- a/core/l10n/de_DE.php +++ b/core/l10n/de_DE.php @@ -1,6 +1,12 @@ "%s geteilt »%s« mit Ihnen", +"Turned on maintenance mode" => "Wartungsmodus eingeschaltet ", +"Turned off maintenance mode" => "Wartungsmodus ausgeschaltet", +"Updated database" => "Datenbank aktualisiert", +"Updating filecache, this may take really long..." => "Aktualisiere Dateicache, dies könnte eine Weile dauern...", +"Updated filecache" => "Dateicache aktualisiert", +"... %d%% done ..." => "... %d%% erledigt ...", "Category type not provided." => "Kategorie nicht angegeben.", "No category to add?" => "Keine Kategorie hinzuzufügen?", "This category already exists: %s" => "Die nachfolgende Kategorie existiert bereits: %s", diff --git a/core/l10n/et_EE.php b/core/l10n/et_EE.php index a13ed032221..d9e57503817 100644 --- a/core/l10n/et_EE.php +++ b/core/l10n/et_EE.php @@ -1,6 +1,12 @@ "%s jagas sinuga »%s«", +"Turned on maintenance mode" => "Haldusreziimis", +"Turned off maintenance mode" => "Haldusreziim lõpetatud", +"Updated database" => "Uuendatud andmebaas", +"Updating filecache, this may take really long..." => "Uuendan failipuhvrit, see võib kesta väga kaua...", +"Updated filecache" => "Uuendatud failipuhver", +"... %d%% done ..." => "... %d%% tehtud ...", "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", diff --git a/core/l10n/fi_FI.php b/core/l10n/fi_FI.php index d3cfe01293e..dc603cf41de 100644 --- a/core/l10n/fi_FI.php +++ b/core/l10n/fi_FI.php @@ -1,6 +1,12 @@ "%s jakoi kohteen »%s« kanssasi", +"Turned on maintenance mode" => "Siirrytty ylläpitotilaan", +"Turned off maintenance mode" => "Ylläpitotila laitettu pois päältä", +"Updated database" => "Tietokanta ajan tasalla", +"Updating filecache, this may take really long..." => "Päivitetään tiedostojen välimuistia, tämä saattaa kestää todella kauan...", +"Updated filecache" => "Tiedostojen välimuisti päivitetty", +"... %d%% done ..." => "... %d%% valmis ...", "Category type not provided." => "Luokan tyyppiä ei määritelty.", "No category to add?" => "Ei lisättävää luokkaa?", "This category already exists: %s" => "Luokka on jo olemassa: %s", @@ -64,6 +70,7 @@ $TRANSLATIONS = array( "Share via email:" => "Jaa sähköpostilla:", "No people found" => "Henkilöitä ei löytynyt", "Resharing is not allowed" => "Jakaminen uudelleen ei ole salittu", +"Shared in {item} with {user}" => "{item} on jaettu {user} kanssa", "Unshare" => "Peru jakaminen", "can edit" => "voi muokata", "access control" => "Pääsyn hallinta", @@ -78,6 +85,7 @@ $TRANSLATIONS = array( "Email sent" => "Sähköposti lähetetty", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Päivitys epäonnistui. Ilmoita ongelmasta ownCloud-yhteisölle.", "The update was successful. Redirecting you to ownCloud now." => "Päivitys onnistui. Selain ohjautuu nyt ownCloudiisi.", +"%s password reset" => "%s salasanan nollaus", "Use the following link to reset your password: {link}" => "Voit palauttaa salasanasi seuraavassa osoitteessa: {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 ." => "Linkki salasanan nollaamiseen on lähetetty sähköpostiisi.
    Jos et saa viestiä pian, tarkista roskapostikansiosi.
    Jos et löydä viestiä roskapostinkaan seasta, ota yhteys ylläpitäjään.", "Request failed!
    Did you make sure your email/username was right?" => "Pyyntö epäonnistui!
    Olihan sähköpostiosoitteesi/käyttäjätunnuksesi oikein?", diff --git a/core/l10n/ug.php b/core/l10n/ug.php index 5cbb90d15f9..eb16e841c67 100644 --- a/core/l10n/ug.php +++ b/core/l10n/ug.php @@ -45,6 +45,7 @@ $TRANSLATIONS = array( "Help" => "ياردەم", "Edit categories" => "تۈر تەھرىر", "Add" => "قوش", +"Security Warning" => "بىخەتەرلىك ئاگاھلاندۇرۇش", "Advanced" => "ئالىي", "Finish setup" => "تەڭشەك تامام", "Log out" => "تىزىمدىن چىق" diff --git a/core/l10n/zh_CN.php b/core/l10n/zh_CN.php index a5a63e24858..5784d828c17 100644 --- a/core/l10n/zh_CN.php +++ b/core/l10n/zh_CN.php @@ -1,6 +1,12 @@ "%s 向您分享了 »%s«", +"Turned on maintenance mode" => "启用维护模式", +"Turned off maintenance mode" => "关闭维护模式", +"Updated database" => "数据库已更新", +"Updating filecache, this may take really long..." => "正在更新文件缓存,这可能需要较长时间...", +"Updated filecache" => "文件缓存已更新", +"... %d%% done ..." => "...已完成 %d%% ...", "Category type not provided." => "未提供分类类型。", "No category to add?" => "没有可添加分类?", "This category already exists: %s" => "此分类已存在:%s", @@ -31,12 +37,12 @@ $TRANSLATIONS = array( "Settings" => "设置", "seconds ago" => "秒前", "_%n minute ago_::_%n minutes ago_" => array("%n 分钟前"), -"_%n hour ago_::_%n hours ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array("%n 小时前"), "today" => "今天", "yesterday" => "昨天", -"_%n day ago_::_%n days ago_" => array(""), +"_%n day ago_::_%n days ago_" => array("%n 天前"), "last month" => "上月", -"_%n month ago_::_%n months ago_" => array(""), +"_%n month ago_::_%n months ago_" => array("%n 月前"), "months ago" => "月前", "last year" => "去年", "years ago" => "年前", @@ -47,7 +53,7 @@ $TRANSLATIONS = array( "Ok" => "好", "The object type is not specified." => "未指定对象类型。", "Error" => "错误", -"The app name is not specified." => "未指定App名称。", +"The app name is not specified." => "未指定应用名称。", "The required file {file} is not installed!" => "所需文件{file}未安装!", "Shared" => "已共享", "Share" => "分享", @@ -83,6 +89,7 @@ $TRANSLATIONS = array( "Email sent" => "邮件已发送", "The update was unsuccessful. Please report this issue to the ownCloud community." => "更新不成功。请汇报将此问题汇报给 ownCloud 社区。", "The update was successful. Redirecting you to ownCloud now." => "更新成功。正在重定向至 ownCloud。", +"%s password reset" => "重置 %s 的密码", "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 ." => "重置密码的链接已发送到您的邮箱。
    如果您觉得在合理的时间内还未收到邮件,请查看 spam/junk 目录。
    如果没有在那里,请询问您的本地管理员。", "Request failed!
    Did you make sure your email/username was right?" => "请求失败
    您确定您的邮箱/用户名是正确的?", @@ -107,9 +114,11 @@ $TRANSLATIONS = array( "Add" => "增加", "Security Warning" => "安全警告", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "你的PHP版本容易受到空字节攻击 (CVE-2006-7243)", +"Please update your PHP installation to use %s securely." => "为保证安全使用 %s 请更新您的PHP。", "No secure random number generator is available, please enable the PHP OpenSSL extension." => "随机数生成器无效,请启用PHP的OpenSSL扩展", "Without a secure random number generator an attacker may be able to predict password reset tokens and take over your account." => "没有安全随机码生成器,攻击者可能会猜测密码重置信息从而窃取您的账户", "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." => "您的数据目录和文件可能可以直接被互联网访问,因为 .htaccess 并未正常工作。", +"For information how to properly configure your server, please see the documentation." => "关于如何配置服务器,请参见 此文档。", "Create an admin account" => "创建管理员账号", "Advanced" => "高级", "Data folder" => "数据目录", @@ -123,6 +132,7 @@ $TRANSLATIONS = array( "Finish setup" => "安装完成", "%s is available. Get more information on how to update." => "%s 可用。获取更多关于如何升级的信息。", "Log out" => "注销", +"More apps" => "更多应用", "Automatic logon rejected!" => "自动登录被拒绝!", "If you did not change your password recently, your account may be compromised!" => "如果您没有最近修改您的密码,您的帐户可能会受到影响!", "Please change your password to secure your account again." => "请修改您的密码,以保护您的账户安全。", diff --git a/l10n/ar/core.po b/l10n/ar/core.po index c06bc5e8584..6ff2f20122a 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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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/bn_BD/core.po b/l10n/bn_BD/core.po index 29b5dea54e5..2211ac2ee42 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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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/ca/core.po b/l10n/ca/core.po index f63e5e77091..6b7141c49c7 100644 --- a/l10n/ca/core.po +++ b/l10n/ca/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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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/cs_CZ/core.po b/l10n/cs_CZ/core.po index 18e39dc80ba..976d3cfdb5f 100644 --- a/l10n/cs_CZ/core.po +++ b/l10n/cs_CZ/core.po @@ -12,8 +12,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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/cy_GB/core.po b/l10n/cy_GB/core.po index 97781ef6a33..26b314362f3 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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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 3566470055f..68c71a9ef2d 100644 --- a/l10n/da/core.po +++ b/l10n/da/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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+0000\n" +"Last-Translator: Sappe\n" "Language-Team: Danish (http://www.transifex.com/projects/p/owncloud/language/da/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -28,28 +28,28 @@ msgstr "%s delte »%s« med sig" #: ajax/update.php:11 msgid "Turned on maintenance mode" -msgstr "" +msgstr "Startede vedligeholdelsestilstand" #: ajax/update.php:14 msgid "Turned off maintenance mode" -msgstr "" +msgstr "standsede vedligeholdelsestilstand" #: ajax/update.php:17 msgid "Updated database" -msgstr "" +msgstr "Opdaterede database" #: ajax/update.php:20 msgid "Updating filecache, this may take really long..." -msgstr "" +msgstr "Opdatere filcache, dette kan tage rigtigt lang tid..." #: ajax/update.php:23 msgid "Updated filecache" -msgstr "" +msgstr "Opdaterede filcache" #: ajax/update.php:26 #, php-format msgid "... %d%% done ..." -msgstr "" +msgstr "... %d%% færdig ..." #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." diff --git a/l10n/da/settings.po b/l10n/da/settings.po index f3bdc23e486..5119c9950a2 100644 --- a/l10n/da/settings.po +++ b/l10n/da/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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 15:40+0000\n" +"Last-Translator: Sappe\n" "Language-Team: Danish (http://www.transifex.com/projects/p/owncloud/language/da/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -105,11 +105,11 @@ msgstr "Vent venligst..." #: js/apps.js:71 js/apps.js:72 js/apps.js:92 msgid "Error while disabling app" -msgstr "" +msgstr "Kunne ikke deaktivere app" #: js/apps.js:91 js/apps.js:104 js/apps.js:105 msgid "Error while enabling app" -msgstr "" +msgstr "Kunne ikke aktivere app" #: js/apps.js:115 msgid "Updating...." diff --git a/l10n/de/core.po b/l10n/de/core.po index f802b39ac3e..9a2039502c1 100644 --- a/l10n/de/core.po +++ b/l10n/de/core.po @@ -15,9 +15,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-28 08:30+0000\n" +"Last-Translator: Mario Siegmann \n" "Language-Team: German \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -32,28 +32,28 @@ msgstr "%s teilte »%s« mit Ihnen" #: ajax/update.php:11 msgid "Turned on maintenance mode" -msgstr "" +msgstr "Wartungsmodus eingeschaltet" #: ajax/update.php:14 msgid "Turned off maintenance mode" -msgstr "" +msgstr "Wartungsmodus ausgeschaltet" #: ajax/update.php:17 msgid "Updated database" -msgstr "" +msgstr "Datenbank aktualisiert" #: ajax/update.php:20 msgid "Updating filecache, this may take really long..." -msgstr "" +msgstr "Aktualisiere Dateicache, dies könnte eine Weile dauern..." #: ajax/update.php:23 msgid "Updated filecache" -msgstr "" +msgstr "Dateicache aktualisiert" #: ajax/update.php:26 #, php-format msgid "... %d%% done ..." -msgstr "" +msgstr "... %d%% erledigt ..." #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." diff --git a/l10n/de_CH/core.po b/l10n/de_CH/core.po index a296bfa8c9e..95a01f1ff19 100644 --- a/l10n/de_CH/core.po +++ b/l10n/de_CH/core.po @@ -16,8 +16,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Switzerland) (http://www.transifex.com/projects/p/owncloud/language/de_CH/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/de_DE/core.po b/l10n/de_DE/core.po index ebd32decb87..9ef89b0fc89 100644 --- a/l10n/de_DE/core.po +++ b/l10n/de_DE/core.po @@ -15,9 +15,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-28 08:30+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" @@ -32,28 +32,28 @@ msgstr "%s geteilt »%s« mit Ihnen" #: ajax/update.php:11 msgid "Turned on maintenance mode" -msgstr "" +msgstr "Wartungsmodus eingeschaltet " #: ajax/update.php:14 msgid "Turned off maintenance mode" -msgstr "" +msgstr "Wartungsmodus ausgeschaltet" #: ajax/update.php:17 msgid "Updated database" -msgstr "" +msgstr "Datenbank aktualisiert" #: ajax/update.php:20 msgid "Updating filecache, this may take really long..." -msgstr "" +msgstr "Aktualisiere Dateicache, dies könnte eine Weile dauern..." #: ajax/update.php:23 msgid "Updated filecache" -msgstr "" +msgstr "Dateicache aktualisiert" #: ajax/update.php:26 #, php-format msgid "... %d%% done ..." -msgstr "" +msgstr "... %d%% erledigt ..." #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." diff --git a/l10n/el/core.po b/l10n/el/core.po index 1d48f92c642..a91b290a560 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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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/eo/core.po b/l10n/eo/core.po index bb093524fc0..a11e637c695 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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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 e9cb5b8f9a0..ebe8564fa85 100644 --- a/l10n/es/core.po +++ b/l10n/es/core.po @@ -16,8 +16,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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" diff --git a/l10n/es_AR/core.po b/l10n/es_AR/core.po index 12e5b363df9..06f8c7904dd 100644 --- a/l10n/es_AR/core.po +++ b/l10n/es_AR/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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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/et_EE/core.po b/l10n/et_EE/core.po index ffd48b28988..0af60809ed1 100644 --- a/l10n/et_EE/core.po +++ b/l10n/et_EE/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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-28 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" @@ -26,28 +26,28 @@ msgstr "%s jagas sinuga »%s«" #: ajax/update.php:11 msgid "Turned on maintenance mode" -msgstr "" +msgstr "Haldusreziimis" #: ajax/update.php:14 msgid "Turned off maintenance mode" -msgstr "" +msgstr "Haldusreziim lõpetatud" #: ajax/update.php:17 msgid "Updated database" -msgstr "" +msgstr "Uuendatud andmebaas" #: ajax/update.php:20 msgid "Updating filecache, this may take really long..." -msgstr "" +msgstr "Uuendan failipuhvrit, see võib kesta väga kaua..." #: ajax/update.php:23 msgid "Updated filecache" -msgstr "" +msgstr "Uuendatud failipuhver" #: ajax/update.php:26 #, php-format msgid "... %d%% done ..." -msgstr "" +msgstr "... %d%% tehtud ..." #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." diff --git a/l10n/eu/core.po b/l10n/eu/core.po index f74e5e30592..12ed7b71d2b 100644 --- a/l10n/eu/core.po +++ b/l10n/eu/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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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 514c10f57f2..570d7e6c1ec 100644 --- a/l10n/fa/core.po +++ b/l10n/fa/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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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/fi_FI/core.po b/l10n/fi_FI/core.po index 92a3e60065d..aee3205f289 100644 --- a/l10n/fi_FI/core.po +++ b/l10n/fi_FI/core.po @@ -4,13 +4,14 @@ # # Translators: # Jiri Grönroos , 2013 +# ioxo , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-28 06:40+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" @@ -25,28 +26,28 @@ msgstr "%s jakoi kohteen »%s« kanssasi" #: ajax/update.php:11 msgid "Turned on maintenance mode" -msgstr "" +msgstr "Siirrytty ylläpitotilaan" #: ajax/update.php:14 msgid "Turned off maintenance mode" -msgstr "" +msgstr "Ylläpitotila laitettu pois päältä" #: ajax/update.php:17 msgid "Updated database" -msgstr "" +msgstr "Tietokanta ajan tasalla" #: ajax/update.php:20 msgid "Updating filecache, this may take really long..." -msgstr "" +msgstr "Päivitetään tiedostojen välimuistia, tämä saattaa kestää todella kauan..." #: ajax/update.php:23 msgid "Updated filecache" -msgstr "" +msgstr "Tiedostojen välimuisti päivitetty" #: ajax/update.php:26 #, php-format msgid "... %d%% done ..." -msgstr "" +msgstr "... %d%% valmis ..." #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." @@ -338,7 +339,7 @@ msgstr "Jakaminen uudelleen ei ole salittu" #: js/share.js:317 msgid "Shared in {item} with {user}" -msgstr "" +msgstr "{item} on jaettu {user} kanssa" #: js/share.js:338 msgid "Unshare" @@ -402,7 +403,7 @@ msgstr "Päivitys onnistui. Selain ohjautuu nyt ownCloudiisi." #: lostpassword/controller.php:61 #, php-format msgid "%s password reset" -msgstr "" +msgstr "%s salasanan nollaus" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/fr/core.po b/l10n/fr/core.po index 93732ea30ea..21591f1ea32 100644 --- a/l10n/fr/core.po +++ b/l10n/fr/core.po @@ -12,8 +12,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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/gl/core.po b/l10n/gl/core.po index 76e182a5b18..c594c9f86d7 100644 --- a/l10n/gl/core.po +++ b/l10n/gl/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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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/he/core.po b/l10n/he/core.po index 05f1282b4d1..6ec8af7aaf4 100644 --- a/l10n/he/core.po +++ b/l10n/he/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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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/hr/core.po b/l10n/hr/core.po index befdae3d874..58b1610541c 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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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 f8d7f328ab3..f0a3a78d4fd 100644 --- a/l10n/hu_HU/core.po +++ b/l10n/hu_HU/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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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/id/core.po b/l10n/id/core.po index 52e9cf631da..c42fea70e82 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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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 fd37488550a..428ebc7861c 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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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/it/core.po b/l10n/it/core.po index 7510ac70b56..154aa4c3266 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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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" diff --git a/l10n/ja_JP/core.po b/l10n/ja_JP/core.po index e8a091e75a7..30dbfefeede 100644 --- a/l10n/ja_JP/core.po +++ b/l10n/ja_JP/core.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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/ka_GE/core.po b/l10n/ka_GE/core.po index 6dee08e0240..fc18e19a2f6 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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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/ko/core.po b/l10n/ko/core.po index 3c34da3d738..fd2020b36d2 100644 --- a/l10n/ko/core.po +++ b/l10n/ko/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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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/lb/core.po b/l10n/lb/core.po index a657f8989de..90c54088503 100644 --- a/l10n/lb/core.po +++ b/l10n/lb/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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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 7921e349d84..fba54c74e37 100644 --- a/l10n/lt_LT/core.po +++ b/l10n/lt_LT/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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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 9e421bf6a58..6d064f72ab8 100644 --- a/l10n/lv/core.po +++ b/l10n/lv/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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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 5a6ba24801b..16a948973c7 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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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/nb_NO/core.po b/l10n/nb_NO/core.po index 2c6871c83f3..39afa61d126 100644 --- a/l10n/nb_NO/core.po +++ b/l10n/nb_NO/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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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/nl/core.po b/l10n/nl/core.po index 171e8aa635e..29c60b93ffa 100644 --- a/l10n/nl/core.po +++ b/l10n/nl/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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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/nn_NO/core.po b/l10n/nn_NO/core.po index 4c578036d79..8a9fabb4afa 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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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 2bae53a78ec..f05370e6667 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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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 54e1e74503c..262ba294d29 100644 --- a/l10n/pl/core.po +++ b/l10n/pl/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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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/pt_BR/core.po b/l10n/pt_BR/core.po index bb1c6966b30..f39dcf53868 100644 --- a/l10n/pt_BR/core.po +++ b/l10n/pt_BR/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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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_PT/core.po b/l10n/pt_PT/core.po index 2977abfcd41..75b60246ea5 100644 --- a/l10n/pt_PT/core.po +++ b/l10n/pt_PT/core.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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/ro/core.po b/l10n/ro/core.po index 0086ac5350a..c59794b27a9 100644 --- a/l10n/ro/core.po +++ b/l10n/ro/core.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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 8858c441489..5766701217f 100644 --- a/l10n/ru/core.po +++ b/l10n/ru/core.po @@ -15,8 +15,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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/sk_SK/core.po b/l10n/sk_SK/core.po index cd5b6a9b34a..83405bcf1c1 100644 --- a/l10n/sk_SK/core.po +++ b/l10n/sk_SK/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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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/sl/core.po b/l10n/sl/core.po index 1f8428968ed..06c4333a9dd 100644 --- a/l10n/sl/core.po +++ b/l10n/sl/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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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/sq/core.po b/l10n/sq/core.po index 2424d24dbe6..3d68349d79b 100644 --- a/l10n/sq/core.po +++ b/l10n/sq/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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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 08526acf64e..3d063b8411d 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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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/sv/core.po b/l10n/sv/core.po index 0b137ab6018..563206aaec4 100644 --- a/l10n/sv/core.po +++ b/l10n/sv/core.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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/settings.po b/l10n/sv/settings.po index 4c57d855cc2..d2f92282933 100644 --- a/l10n/sv/settings.po +++ b/l10n/sv/settings.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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-28 10:20+0000\n" +"Last-Translator: Magnus Höglund \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" @@ -108,11 +108,11 @@ msgstr "Var god vänta..." #: js/apps.js:71 js/apps.js:72 js/apps.js:92 msgid "Error while disabling app" -msgstr "" +msgstr "Fel vid inaktivering av app" #: js/apps.js:91 js/apps.js:104 js/apps.js:105 msgid "Error while enabling app" -msgstr "" +msgstr "Fel vid aktivering av app" #: js/apps.js:115 msgid "Updating...." diff --git a/l10n/ta_LK/core.po b/l10n/ta_LK/core.po index d0cd9f81d70..2e5eebcca88 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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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/templates/core.pot b/l10n/templates/core.pot index 9748d786fd9..8da1fb6f5b5 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-08-27 11:18-0400\n" +"POT-Creation-Date: 2013-08-28 06:22-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.pot b/l10n/templates/files.pot index 42827509e96..5b561431a04 100644 --- a/l10n/templates/files.pot +++ b/l10n/templates/files.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-08-27 11:18-0400\n" +"POT-Creation-Date: 2013-08-28 06:22-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_encryption.pot b/l10n/templates/files_encryption.pot index 4ef21df3b27..07e3a942a01 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-08-27 11:18-0400\n" +"POT-Creation-Date: 2013-08-28 06:22-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 0fb852ce25e..5153def3a12 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-08-27 11:18-0400\n" +"POT-Creation-Date: 2013-08-28 06:22-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_sharing.pot b/l10n/templates/files_sharing.pot index deda7dac0ca..3fa6985763a 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-08-27 11:18-0400\n" +"POT-Creation-Date: 2013-08-28 06:22-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_trashbin.pot b/l10n/templates/files_trashbin.pot index f8a39c581ce..b4195884272 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-08-27 11:18-0400\n" +"POT-Creation-Date: 2013-08-28 06:22-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 a275a8ced5d..ac1e6d8ffd2 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-08-27 11:18-0400\n" +"POT-Creation-Date: 2013-08-28 06:22-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 7d21647abc7..a5eed85152c 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-08-27 11:18-0400\n" +"POT-Creation-Date: 2013-08-28 06:22-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/settings.pot b/l10n/templates/settings.pot index 182d33bd7fc..2a61530b56e 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-08-27 11:18-0400\n" +"POT-Creation-Date: 2013-08-28 06:22-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_ldap.pot b/l10n/templates/user_ldap.pot index 5e4bf621940..2aba7bb3e3b 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-08-27 11:18-0400\n" +"POT-Creation-Date: 2013-08-28 06:22-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 155df0e56d8..d9988286212 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-08-27 11:18-0400\n" +"POT-Creation-Date: 2013-08-28 06:22-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 c633f99ca63..e963a34429c 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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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 9cdba88e1f1..f23d51c91ee 100644 --- a/l10n/tr/core.po +++ b/l10n/tr/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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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/ug/core.po b/l10n/ug/core.po index 367645fae74..ab7f2d68946 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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 17:30+0000\n" "Last-Translator: I Robot \n" "Language-Team: Uighur \n" "MIME-Version: 1.0\n" @@ -505,7 +505,7 @@ msgstr "قوش" #: templates/installation.php:24 templates/installation.php:31 #: templates/installation.php:38 msgid "Security Warning" -msgstr "" +msgstr "بىخەتەرلىك ئاگاھلاندۇرۇش" #: templates/installation.php:25 msgid "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" diff --git a/l10n/ug/lib.po b/l10n/ug/lib.po index 3c833cb1694..f9f9408227a 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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 17:30+0000\n" "Last-Translator: I Robot \n" "Language-Team: Uighur \n" "MIME-Version: 1.0\n" @@ -257,7 +257,7 @@ msgstr "" msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." -msgstr "" +msgstr "سىزنىڭ تور مۇلازىمېتىرىڭىز ھۆججەت قەدەمداشلاشقا يول قويىدىغان قىلىپ توغرا تەڭشەلمەپتۇ، چۈنكى WebDAV نىڭ ئېغىزى بۇزۇلغاندەك تۇرىدۇ." #: setup.php:185 #, php-format diff --git a/l10n/ug/settings.po b/l10n/ug/settings.po index ee0402683bd..c1174f80736 100644 --- a/l10n/ug/settings.po +++ b/l10n/ug/settings.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Abduqadir Abliz , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 17:30+0000\n" +"Last-Translator: Abduqadir Abliz \n" "Language-Team: Uighur \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -68,7 +69,7 @@ msgstr "ئىناۋەتسىز ئىلتىماس" #: ajax/togglegroups.php:12 msgid "Admins can't remove themself from the admin group" -msgstr "" +msgstr "باشقۇرغۇچى ئۆزىنى باشقۇرۇش گۇرۇپپىسىدىن چىقىرىۋېتەلمەيدۇ" #: ajax/togglegroups.php:30 #, php-format @@ -167,23 +168,23 @@ msgstr "گۇرۇپپا قوش" #: js/users.js:436 msgid "A valid username must be provided" -msgstr "" +msgstr "چوقۇم ئىناۋەتلىك ئىشلەتكۈچى ئىسمىدىن بىرنى تەمىنلەش كېرەك" #: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" -msgstr "" +msgstr "ئىشلەتكۈچى قۇرۇۋاتقاندا خاتالىق كۆرۈلدى" #: js/users.js:442 msgid "A valid password must be provided" -msgstr "" +msgstr "چوقۇم ئىناۋەتلىك ئىم تەمىنلەش كېرەك" #: personal.php:40 personal.php:41 msgid "__language_name__" -msgstr "" +msgstr "ئۇيغۇرچە" #: templates/admin.php:15 msgid "Security Warning" -msgstr "" +msgstr "بىخەتەرلىك ئاگاھلاندۇرۇش" #: templates/admin.php:18 msgid "" @@ -196,13 +197,13 @@ msgstr "" #: templates/admin.php:29 msgid "Setup Warning" -msgstr "" +msgstr "ئاگاھلاندۇرۇش تەڭشەك" #: templates/admin.php:32 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." -msgstr "" +msgstr "سىزنىڭ تور مۇلازىمېتىرىڭىز ھۆججەت قەدەمداشلاشقا يول قويىدىغان قىلىپ توغرا تەڭشەلمەپتۇ، چۈنكى WebDAV نىڭ ئېغىزى بۇزۇلغاندەك تۇرىدۇ." #: templates/admin.php:33 #, php-format @@ -211,7 +212,7 @@ msgstr "" #: templates/admin.php:44 msgid "Module 'fileinfo' missing" -msgstr "" +msgstr "بۆلەك «ھۆججەت ئۇچۇرى» يوقالغان" #: templates/admin.php:47 msgid "" diff --git a/l10n/uk/core.po b/l10n/uk/core.po index 5242a384d61..effc4b28936 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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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 292342a9802..3db491e4092 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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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 bf28004b7d1..4f501bb51f6 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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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/core.po b/l10n/zh_CN/core.po index cfa34c88a6d..35152650e54 100644 --- a/l10n/zh_CN/core.po +++ b/l10n/zh_CN/core.po @@ -3,15 +3,16 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Xuetian Weng , 2013 # zhangmin , 2013 # zhangmin , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+0000\n" +"Last-Translator: Xuetian Weng \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" @@ -26,28 +27,28 @@ msgstr "%s 向您分享了 »%s«" #: ajax/update.php:11 msgid "Turned on maintenance mode" -msgstr "" +msgstr "启用维护模式" #: ajax/update.php:14 msgid "Turned off maintenance mode" -msgstr "" +msgstr "关闭维护模式" #: ajax/update.php:17 msgid "Updated database" -msgstr "" +msgstr "数据库已更新" #: ajax/update.php:20 msgid "Updating filecache, this may take really long..." -msgstr "" +msgstr "正在更新文件缓存,这可能需要较长时间..." #: ajax/update.php:23 msgid "Updated filecache" -msgstr "" +msgstr "文件缓存已更新" #: ajax/update.php:26 #, php-format msgid "... %d%% done ..." -msgstr "" +msgstr "...已完成 %d%% ..." #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." @@ -180,7 +181,7 @@ msgstr[0] "%n 分钟前" #: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" +msgstr[0] "%n 小时前" #: js/js.js:815 msgid "today" @@ -193,7 +194,7 @@ msgstr "昨天" #: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" -msgstr[0] "" +msgstr[0] "%n 天前" #: js/js.js:818 msgid "last month" @@ -202,7 +203,7 @@ msgstr "上月" #: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" +msgstr[0] "%n 月前" #: js/js.js:820 msgid "months ago" @@ -251,7 +252,7 @@ msgstr "错误" #: js/oc-vcategories.js:179 msgid "The app name is not specified." -msgstr "未指定App名称。" +msgstr "未指定应用名称。" #: js/oc-vcategories.js:194 msgid "The required file {file} is not installed!" @@ -399,7 +400,7 @@ msgstr "更新成功。正在重定向至 ownCloud。" #: lostpassword/controller.php:61 #, php-format msgid "%s password reset" -msgstr "" +msgstr "重置 %s 的密码" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" @@ -516,7 +517,7 @@ msgstr "你的PHP版本容易受到空字节攻击 (CVE-2006-7243)" #: templates/installation.php:26 #, php-format msgid "Please update your PHP installation to use %s securely." -msgstr "" +msgstr "为保证安全使用 %s 请更新您的PHP。" #: templates/installation.php:32 msgid "" @@ -541,7 +542,7 @@ msgstr "您的数据目录和文件可能可以直接被互联网访问,因为 msgid "" "For information how to properly configure your server, please see the documentation." -msgstr "" +msgstr "关于如何配置服务器,请参见 此文档。" #: templates/installation.php:47 msgid "Create an admin account" @@ -600,7 +601,7 @@ msgstr "注销" #: templates/layout.user.php:100 msgid "More apps" -msgstr "" +msgstr "更多应用" #: templates/login.php:9 msgid "Automatic logon rejected!" diff --git a/l10n/zh_CN/lib.po b/l10n/zh_CN/lib.po index 28e19119a91..08447c650f0 100644 --- a/l10n/zh_CN/lib.po +++ b/l10n/zh_CN/lib.po @@ -5,13 +5,14 @@ # Translators: # Charlie Mak , 2013 # modokwang , 2013 +# Xuetian Weng , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 19:10+0000\n" +"Last-Translator: Xuetian Weng \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" @@ -109,7 +110,7 @@ msgstr "" #: installer.php:123 msgid "App does not provide an info.xml file" -msgstr "" +msgstr "应用未提供 info.xml 文件" #: installer.php:129 msgid "App can't be installed because of not allowed code in the App" @@ -278,7 +279,7 @@ msgstr[0] "%n 分钟前" #: template/functions.php:82 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" +msgstr[0] "%n 小时前" #: template/functions.php:83 msgid "today" @@ -291,7 +292,7 @@ msgstr "昨天" #: template/functions.php:85 msgid "%n day go" msgid_plural "%n days ago" -msgstr[0] "" +msgstr[0] "%n 天前" #: template/functions.php:86 msgid "last month" @@ -300,7 +301,7 @@ msgstr "上月" #: template/functions.php:87 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" +msgstr[0] "%n 月前" #: template/functions.php:88 msgid "last year" diff --git a/l10n/zh_CN/settings.po b/l10n/zh_CN/settings.po index 7258511fab3..d8d9cefc362 100644 --- a/l10n/zh_CN/settings.po +++ b/l10n/zh_CN/settings.po @@ -6,14 +6,15 @@ # m13253 , 2013 # waterone , 2013 # modokwang , 2013 +# Xuetian Weng , 2013 # zhangmin , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 17:40+0000\n" +"Last-Translator: Xuetian Weng \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" @@ -106,11 +107,11 @@ msgstr "请稍等...." #: js/apps.js:71 js/apps.js:72 js/apps.js:92 msgid "Error while disabling app" -msgstr "" +msgstr "禁用 app 时出错" #: js/apps.js:91 js/apps.js:104 js/apps.js:105 msgid "Error while enabling app" -msgstr "" +msgstr "启用 app 时出错" #: js/apps.js:115 msgid "Updating...." @@ -134,7 +135,7 @@ msgstr "已更新" #: js/personal.js:150 msgid "Decrypting files... Please wait, this can take some time." -msgstr "" +msgstr "正在解密文件... 请稍等,可能需要一些时间。" #: js/personal.js:172 msgid "Saving..." @@ -483,15 +484,15 @@ msgstr "加密" #: templates/personal.php:119 msgid "The encryption app is no longer enabled, decrypt all your file" -msgstr "" +msgstr "加密 app 未启用,将解密您所有文件" #: templates/personal.php:125 msgid "Log-in password" -msgstr "" +msgstr "登录密码" #: templates/personal.php:130 msgid "Decrypt all Files" -msgstr "" +msgstr "解密所有文件" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/zh_CN/user_webdavauth.po b/l10n/zh_CN/user_webdavauth.po index c3a8727e4b6..754dd58d6e5 100644 --- a/l10n/zh_CN/user_webdavauth.po +++ b/l10n/zh_CN/user_webdavauth.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-27 01:56-0400\n" -"PO-Revision-Date: 2013-07-27 05:57+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 19:10+0000\n" +"Last-Translator: Xuetian Weng \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" @@ -28,11 +28,11 @@ msgstr "WebDAV 认证" #: templates/settings.php:4 msgid "Address: " -msgstr "" +msgstr "地址:" #: templates/settings.php:7 msgid "" "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." -msgstr "" +msgstr "用户的身份将会被发送到此 URL。这个插件检查返回值并且将 HTTP 状态编码 401 和 403 解释为非法身份,其他所有返回值为合法身份。" diff --git a/l10n/zh_HK/core.po b/l10n/zh_HK/core.po index da403426370..b5d97e73049 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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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 ddf0a2225d9..435e7b2b7f3 100644 --- a/l10n/zh_TW/core.po +++ b/l10n/zh_TW/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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-27 15:18+0000\n" +"POT-Creation-Date: 2013-08-28 06:22-0400\n" +"PO-Revision-Date: 2013-08-27 22:31+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/lib/l10n/ug.php b/lib/l10n/ug.php index 731ad904d7e..e2cf38ecc8c 100644 --- a/lib/l10n/ug.php +++ b/lib/l10n/ug.php @@ -8,6 +8,7 @@ $TRANSLATIONS = array( "Files" => "ھۆججەتلەر", "Text" => "قىسقا ئۇچۇر", "Images" => "سۈرەتلەر", +"Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "سىزنىڭ تور مۇلازىمېتىرىڭىز ھۆججەت قەدەمداشلاشقا يول قويىدىغان قىلىپ توغرا تەڭشەلمەپتۇ، چۈنكى WebDAV نىڭ ئېغىزى بۇزۇلغاندەك تۇرىدۇ.", "_%n minute ago_::_%n minutes ago_" => array(""), "_%n hour ago_::_%n hours ago_" => array(""), "today" => "بۈگۈن", diff --git a/lib/l10n/zh_CN.php b/lib/l10n/zh_CN.php index 03bd48de74b..2c34356ea10 100644 --- a/lib/l10n/zh_CN.php +++ b/lib/l10n/zh_CN.php @@ -10,6 +10,7 @@ $TRANSLATIONS = array( "Files need to be downloaded one by one." => "需要逐一下载文件", "Back to Files" => "回到文件", "Selected files too large to generate zip file." => "选择的文件太大,无法生成 zip 文件。", +"App does not provide an info.xml file" => "应用未提供 info.xml 文件", "Application is not enabled" => "应用程序未启用", "Authentication error" => "认证出错", "Token expired. Please reload page." => "Token 过期,请刷新页面。", @@ -38,12 +39,12 @@ $TRANSLATIONS = array( "Please double check the installation guides." => "请认真检查安装指南.", "seconds ago" => "秒前", "_%n minute ago_::_%n minutes ago_" => array("%n 分钟前"), -"_%n hour ago_::_%n hours ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array("%n 小时前"), "today" => "今天", "yesterday" => "昨天", -"_%n day go_::_%n days ago_" => array(""), +"_%n day go_::_%n days ago_" => array("%n 天前"), "last month" => "上月", -"_%n month ago_::_%n months ago_" => array(""), +"_%n month ago_::_%n months ago_" => array("%n 月前"), "last year" => "去年", "years ago" => "年前", "Could not find category \"%s\"" => "无法找到分类 \"%s\"" diff --git a/settings/l10n/da.php b/settings/l10n/da.php index f352dd459f9..b34625f75e1 100644 --- a/settings/l10n/da.php +++ b/settings/l10n/da.php @@ -20,6 +20,8 @@ $TRANSLATIONS = array( "Disable" => "Deaktiver", "Enable" => "Aktiver", "Please wait...." => "Vent venligst...", +"Error while disabling app" => "Kunne ikke deaktivere app", +"Error while enabling app" => "Kunne ikke aktivere app", "Updating...." => "Opdaterer....", "Error while updating app" => "Der opstod en fejl under app opgraderingen", "Error" => "Fejl", diff --git a/settings/l10n/sv.php b/settings/l10n/sv.php index b7a280625c8..15e0ca9b8d5 100644 --- a/settings/l10n/sv.php +++ b/settings/l10n/sv.php @@ -20,6 +20,8 @@ $TRANSLATIONS = array( "Disable" => "Deaktivera", "Enable" => "Aktivera", "Please wait...." => "Var god vänta...", +"Error while disabling app" => "Fel vid inaktivering av app", +"Error while enabling app" => "Fel vid aktivering av app", "Updating...." => "Uppdaterar...", "Error while updating app" => "Fel uppstod vid uppdatering av appen", "Error" => "Fel", diff --git a/settings/l10n/ug.php b/settings/l10n/ug.php index b62b0a7930e..df9b7e988c1 100644 --- a/settings/l10n/ug.php +++ b/settings/l10n/ug.php @@ -12,6 +12,7 @@ $TRANSLATIONS = array( "Unable to delete user" => "ئىشلەتكۈچىنى ئۆچۈرەلمىدى", "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 گۇرۇپپىدىن چىقىرىۋېتەلمەيدۇ", "Couldn't update app." => "ئەپنى يېڭىلىيالمايدۇ.", @@ -32,6 +33,14 @@ $TRANSLATIONS = array( "Group Admin" => "گۇرۇپپا باشقۇرغۇچى", "Delete" => "ئۆچۈر", "add group" => "گۇرۇپپا قوش", +"A valid username must be provided" => "چوقۇم ئىناۋەتلىك ئىشلەتكۈچى ئىسمىدىن بىرنى تەمىنلەش كېرەك", +"Error creating user" => "ئىشلەتكۈچى قۇرۇۋاتقاندا خاتالىق كۆرۈلدى", +"A valid password must be provided" => "چوقۇم ئىناۋەتلىك ئىم تەمىنلەش كېرەك", +"__language_name__" => "ئۇيغۇرچە", +"Security Warning" => "بىخەتەرلىك ئاگاھلاندۇرۇش", +"Setup Warning" => "ئاگاھلاندۇرۇش تەڭشەك", +"Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "سىزنىڭ تور مۇلازىمېتىرىڭىز ھۆججەت قەدەمداشلاشقا يول قويىدىغان قىلىپ توغرا تەڭشەلمەپتۇ، چۈنكى WebDAV نىڭ ئېغىزى بۇزۇلغاندەك تۇرىدۇ.", +"Module 'fileinfo' missing" => "بۆلەك «ھۆججەت ئۇچۇرى» يوقالغان", "Sharing" => "ھەمبەھىر", "Security" => "بىخەتەرلىك", "Log" => "خاتىرە", diff --git a/settings/l10n/zh_CN.php b/settings/l10n/zh_CN.php index 82dc8774dfc..cc14a3648a8 100644 --- a/settings/l10n/zh_CN.php +++ b/settings/l10n/zh_CN.php @@ -20,11 +20,14 @@ $TRANSLATIONS = array( "Disable" => "禁用", "Enable" => "开启", "Please wait...." => "请稍等....", +"Error while disabling app" => "禁用 app 时出错", +"Error while enabling app" => "启用 app 时出错", "Updating...." => "正在更新....", "Error while updating app" => "更新 app 时出错", "Error" => "错误", "Update" => "更新", "Updated" => "已更新", +"Decrypting files... Please wait, this can take some time." => "正在解密文件... 请稍等,可能需要一些时间。", "Saving..." => "保存中", "deleted" => "已经删除", "undo" => "撤销", @@ -102,6 +105,9 @@ $TRANSLATIONS = array( "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "使用该链接 通过WebDAV访问你的文件", "Encryption" => "加密", +"The encryption app is no longer enabled, decrypt all your file" => "加密 app 未启用,将解密您所有文件", +"Log-in password" => "登录密码", +"Decrypt all Files" => "解密所有文件", "Login Name" => "登录名称", "Create" => "创建", "Admin Recovery Password" => "管理恢复密码", -- GitLab From 776d64f804534eee724a9cd08f6c242002a75ddc Mon Sep 17 00:00:00 2001 From: Thomas Tanghus Date: Wed, 28 Aug 2013 12:50:05 +0200 Subject: [PATCH 351/415] Cache Object.keys(this.vars) --- core/js/octemplate.js | 7 ++++--- 1 file changed, 4 insertions(+), 3 deletions(-) diff --git a/core/js/octemplate.js b/core/js/octemplate.js index f7ee316f3b2..46ffa976574 100644 --- a/core/js/octemplate.js +++ b/core/js/octemplate.js @@ -60,9 +60,10 @@ var self = this; if(typeof this.options.escapeFunction === 'function') { - for (var key = 0; key < Object.keys(this.vars).length; key++) { - if(typeof this.vars[Object.keys(this.vars)[key]] === 'string') { - this.vars[Object.keys(this.vars)[key]] = self.options.escapeFunction(this.vars[Object.keys(this.vars)[key]]); + var keys = Object.keys(this.vars); + for (var key = 0; key < keys.length; key++) { + if(typeof this.vars[keys[key]] === 'string') { + this.vars[keys[key]] = self.options.escapeFunction(this.vars[keys[key]]); } } } -- GitLab From c6eda25d5010fbae1c4ae0f9e29df80d0d62b9e9 Mon Sep 17 00:00:00 2001 From: Jan-Christoph Borchardt Date: Wed, 28 Aug 2013 13:58:49 +0200 Subject: [PATCH 352/415] remove show password toggle from log in page, ref #4577 #4580 --- core/js/js.js | 1 - core/templates/login.php | 4 +--- 2 files changed, 1 insertion(+), 4 deletions(-) diff --git a/core/js/js.js b/core/js/js.js index d580b6113e6..a456da8cb8e 100644 --- a/core/js/js.js +++ b/core/js/js.js @@ -709,7 +709,6 @@ $(document).ready(function(){ }); label.hide(); }; - setShowPassword($('#password'), $('label[for=show]')); setShowPassword($('#adminpass'), $('label[for=show]')); setShowPassword($('#pass2'), $('label[for=personal-show]')); setShowPassword($('#dbpass'), $('label[for=dbpassword]')); diff --git a/core/templates/login.php b/core/templates/login.php index 9143510f757..ee761f0aa52 100644 --- a/core/templates/login.php +++ b/core/templates/login.php @@ -21,12 +21,10 @@

    - /> - -

    -- GitLab From 0c8ac241dfe6e1d07a03d14b5ad349bb0f78b0cd Mon Sep 17 00:00:00 2001 From: Jan-Christoph Borchardt Date: Wed, 28 Aug 2013 13:59:23 +0200 Subject: [PATCH 353/415] fix shadow style of username input box --- core/css/styles.css | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/core/css/styles.css b/core/css/styles.css index dee0778afbb..ce0d5abfc78 100644 --- a/core/css/styles.css +++ b/core/css/styles.css @@ -255,9 +255,9 @@ input[name="adminpass-clone"] { padding-left:1.8em; width:11.7em !important; } #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; + -moz-box-shadow: 0 1px 0 rgba(255,255,255,.15), 0 1px 1px rgba(0,0,0,.25) inset; + -webkit-box-shadow: 0 1px 0 rgba(255,255,255,.15), 0 1px 1px rgba(0,0,0,.25) inset; + box-shadow: 0 1px 0 rgba(255,255,255,.15), 0 1px 1px rgba(0,0,0,.25) inset; } /* Nicely grouping input field sets */ -- GitLab From 6bd0f3cba7491c55e53c637b3cae60ac9685f146 Mon Sep 17 00:00:00 2001 From: kondou Date: Wed, 3 Jul 2013 19:50:03 +0200 Subject: [PATCH 354/415] Reimplement filesummary in JS Fix #993 --- apps/files/css/files.css | 15 +++- apps/files/js/filelist.js | 110 +++++++++++++++++++++++++++++ apps/files/templates/part.list.php | 40 +---------- apps/files_trashbin/js/trash.js | 2 + 4 files changed, 127 insertions(+), 40 deletions(-) diff --git a/apps/files/css/files.css b/apps/files/css/files.css index 7d5fe6445b7..a9b93dc2dee 100644 --- a/apps/files/css/files.css +++ b/apps/files/css/files.css @@ -170,7 +170,20 @@ a.action>img { max-height:16px; max-width:16px; vertical-align:text-bottom; } } .summary { - opacity: .5; + -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=30)"; + filter: alpha(opacity=30); + opacity: .3; + height: 70px; +} + +.summary:hover, .summary, table tr.summary td { + background-color: transparent; +} + +.summary td { + padding-top: 8px; + padding-bottom: 8px; + border-bottom: none; } .summary .info { diff --git a/apps/files/js/filelist.js b/apps/files/js/filelist.js index 10801af3ead..e11cc70802b 100644 --- a/apps/files/js/filelist.js +++ b/apps/files/js/filelist.js @@ -144,6 +144,7 @@ var FileList={ remove:function(name){ $('tr').filterAttr('data-file',name).find('td.filename').draggable('destroy'); $('tr').filterAttr('data-file',name).remove(); + FileList.updateFileSummary(); if($('tr[data-file]').length==0){ $('#emptyfolder').show(); } @@ -176,6 +177,7 @@ var FileList={ $('#fileList').append(element); } $('#emptyfolder').hide(); + FileList.updateFileSummary(); }, loadingDone:function(name, id){ var mime, tr=$('tr').filterAttr('data-file',name); @@ -391,6 +393,7 @@ var FileList={ }); procesSelection(); checkTrashStatus(); + FileList.updateFileSummary(); } else { $.each(files,function(index,file) { var deleteAction = $('tr').filterAttr('data-file',files[i]).children("td.date").children(".action.delete"); @@ -398,6 +401,111 @@ var FileList={ }); } }); + }, + createFileSummary: function() { + if( $('#fileList tr').length > 0 ) { + var totalDirs = 0; + var totalFiles = 0; + var totalSize = 0; + + // Count types and filesize + $.each($('tr[data-file]'), function(index, value) { + if ($(value).data('type') === 'dir') { + totalDirs++; + } else if ($(value).data('type') === 'file') { + totalFiles++; + } + totalSize += parseInt($(value).data('size')); + }); + + // Get translations + var directoryInfo = n('files', '%n folder', '%n folders', totalDirs); + var fileInfo = n('files', '%n file', '%n files', totalFiles); + + var infoVars = { + dirs: ''+directoryInfo+'', + files: ''+fileInfo+'' + } + + var info = t('files', '{dirs} and {files}', infoVars); + + // don't show the filesize column, if filesize is NaN (e.g. in trashbin) + if (isNaN(totalSize)) { + var fileSize = ''; + } else { + var fileSize = '
    '; + } + + $('#fileList').append(''+fileSize+''); + + var $dirInfo = $('.summary .dirinfo'); + var $fileInfo = $('.summary .fileinfo'); + var $connector = $('.summary .connector'); + + // Show only what's necessary, e.g.: no files: don't show "0 files" + if ($dirInfo.html().charAt(0) === "0") { + $dirInfo.hide(); + $connector.hide(); + } + if ($fileInfo.html().charAt(0) === "0") { + $fileInfo.hide(); + $connector.hide(); + } + } + }, + updateFileSummary: function() { + var $summary = $('.summary'); + + // Check if we should remove the summary to show "Upload something" + if ($('#fileList tr').length === 1 && $summary.length === 1) { + $summary.remove(); + } + // If there's no summary create one (createFileSummary checks if there's data) + else if ($summary.length === 0) { + FileList.createFileSummary(); + } + // There's a summary and data -> Update the summary + else if ($('#fileList tr').length > 1 && $summary.length === 1) { + var totalDirs = 0; + var totalFiles = 0; + var totalSize = 0; + $.each($('tr[data-file]'), function(index, value) { + if ($(value).data('type') === 'dir') { + totalDirs++; + } else if ($(value).data('type') === 'file') { + totalFiles++; + } + if ($(value).data('size') !== undefined) { + totalSize += parseInt($(value).data('size')); + } + }); + + var $dirInfo = $('.summary .dirinfo'); + var $fileInfo = $('.summary .fileinfo'); + var $connector = $('.summary .connector'); + + // Substitute old content with new translations + $dirInfo.html(n('files', '%n folder', '%n folders', totalDirs)); + $fileInfo.html(n('files', '%n file', '%n files', totalFiles)); + $('.summary .filesize').html(humanFileSize(totalSize)); + + // Show only what's necessary (may be hidden) + if ($dirInfo.html().charAt(0) === "0") { + $dirInfo.hide(); + $connector.hide(); + } else { + $dirInfo.show(); + } + if ($fileInfo.html().charAt(0) === "0") { + $fileInfo.hide(); + $connector.hide(); + } else { + $fileInfo.show(); + } + if ($dirInfo.html().charAt(0) !== "0" && $fileInfo.html().charAt(0) !== "0") { + $connector.show(); + } + } } }; @@ -599,4 +707,6 @@ $(document).ready(function(){ $(window).unload(function (){ $(window).trigger('beforeunload'); }); + + FileList.createFileSummary(); }); diff --git a/apps/files/templates/part.list.php b/apps/files/templates/part.list.php index 0c7d6936697..3e6f619868d 100644 --- a/apps/files/templates/part.list.php +++ b/apps/files/templates/part.list.php @@ -1,14 +1,5 @@ - - - - - - - - - Date: Wed, 28 Aug 2013 15:46:44 +0200 Subject: [PATCH 355/415] also move empty folders to the trash bin as discussed here #4590 --- apps/files_trashbin/lib/trash.php | 5 ----- 1 file changed, 5 deletions(-) diff --git a/apps/files_trashbin/lib/trash.php b/apps/files_trashbin/lib/trash.php index 0dcb2fc82e1..880832f9afa 100644 --- a/apps/files_trashbin/lib/trash.php +++ b/apps/files_trashbin/lib/trash.php @@ -72,11 +72,6 @@ class Trashbin { $mime = $view->getMimeType('files' . $file_path); if ($view->is_dir('files' . $file_path)) { - $dirContent = $view->getDirectoryContent('files' . $file_path); - // no need to move empty folders to the trash bin - if (empty($dirContent)) { - return true; - } $type = 'dir'; } else { $type = 'file'; -- GitLab From 6b278c89b3c939d602d1b0d38752cf35f4e2aa10 Mon Sep 17 00:00:00 2001 From: raghunayyar Date: Wed, 28 Aug 2013 19:30:49 +0530 Subject: [PATCH 356/415] Adds Node Modules to build in gitignore for easy testing. --- .gitignore | 3 +++ 1 file changed, 3 insertions(+) diff --git a/.gitignore b/.gitignore index 43f3cab9121..724f2460b04 100644 --- a/.gitignore +++ b/.gitignore @@ -82,6 +82,9 @@ nbproject # Tests /tests/phpunit.xml +# Node Modules +/build/node_modules/ + # Tests - auto-generated files /data-autotest /tests/coverage* -- GitLab From 4a00b26029647b5f86d42654f1da99032b1fdf47 Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Wed, 28 Aug 2013 16:25:14 +0200 Subject: [PATCH 357/415] add visualize --- 3rdparty | 2 +- core/js/visualize.js | 52 ++++++++++++++++++++++++++++++++++++++++++++ 2 files changed, 53 insertions(+), 1 deletion(-) create mode 100644 core/js/visualize.js diff --git a/3rdparty b/3rdparty index 03c3817ff13..c48a48cd2cf 160000 --- a/3rdparty +++ b/3rdparty @@ -1 +1 @@ -Subproject commit 03c3817ff132653c794fd04410977952f69fd614 +Subproject commit c48a48cd2cfbdbba8487d6aedcc14c123db47ba3 diff --git a/core/js/visualize.js b/core/js/visualize.js new file mode 100644 index 00000000000..d6891085ce2 --- /dev/null +++ b/core/js/visualize.js @@ -0,0 +1,52 @@ +/** + * ownCloud + * + * @author Morris Jobke + * @copyright 2013 Morris Jobke + * + * 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 . + * + */ + +/* + * Adds a background color to the element called on and adds the first charater + * of the passed in string. This string is also the seed for the generation of + * the background color. + * + * You have following HTML: + * + *
    + * + * And call this from Javascript: + * + * $('#albumart').visualize('The Album Title'); + * + * Which will result in: + * + *
    T
    + * + */ + +(function ($) { + $.fn.visualize = function(seed) { + var hash = md5(seed), + maxRange = parseInt('ffffffffff', 16), + red = parseInt(hash.substr(0,10), 16) / maxRange * 256, + green = parseInt(hash.substr(10,10), 16) / maxRange * 256, + blue = parseInt(hash.substr(20,10), 16) / maxRange * 256; + rgb = [Math.floor(red), Math.floor(green), Math.floor(blue)]; + this.css('background-color', 'rgb(' + rgb.join(',') + ')'); + this.html(seed[0].toUpperCase()); + }; +}(jQuery)); \ No newline at end of file -- GitLab From ed2fa06a26ad1f43dcf750133cd658638a0e9481 Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Wed, 28 Aug 2013 16:52:12 +0200 Subject: [PATCH 358/415] reviewers comments --- core/js/{visualize.js => placeholder.js} | 20 ++++++++++++++------ 1 file changed, 14 insertions(+), 6 deletions(-) rename core/js/{visualize.js => placeholder.js} (76%) diff --git a/core/js/visualize.js b/core/js/placeholder.js similarity index 76% rename from core/js/visualize.js rename to core/js/placeholder.js index d6891085ce2..6a1c653b587 100644 --- a/core/js/visualize.js +++ b/core/js/placeholder.js @@ -30,7 +30,7 @@ * * And call this from Javascript: * - * $('#albumart').visualize('The Album Title'); + * $('#albumart').placeholder('The Album Title'); * * Which will result in: * @@ -39,14 +39,22 @@ */ (function ($) { - $.fn.visualize = function(seed) { + $.fn.placeholder = function(seed) { var hash = md5(seed), maxRange = parseInt('ffffffffff', 16), red = parseInt(hash.substr(0,10), 16) / maxRange * 256, green = parseInt(hash.substr(10,10), 16) / maxRange * 256, - blue = parseInt(hash.substr(20,10), 16) / maxRange * 256; - rgb = [Math.floor(red), Math.floor(green), Math.floor(blue)]; + blue = parseInt(hash.substr(20,10), 16) / maxRange * 256, + rgb = [Math.floor(red), Math.floor(green), Math.floor(blue)]; this.css('background-color', 'rgb(' + rgb.join(',') + ')'); - this.html(seed[0].toUpperCase()); + + // CSS rules + this.css('color', 'rgb(255, 255, 255)'); + this.css('font-weight', 'bold'); + this.css('text-align', 'center'); + + if(seed !== null && seed.length) { + this.html(seed[0].toUpperCase()); + } }; -}(jQuery)); \ No newline at end of file +}(jQuery)); -- GitLab From 16abc536c5866c9e0379ebd6f4e4f8faa895b259 Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Wed, 28 Aug 2013 16:59:12 +0200 Subject: [PATCH 359/415] fix 3rdparty commit --- 3rdparty | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/3rdparty b/3rdparty index c48a48cd2cf..6c116295968 160000 --- a/3rdparty +++ b/3rdparty @@ -1 +1 @@ -Subproject commit c48a48cd2cfbdbba8487d6aedcc14c123db47ba3 +Subproject commit 6c1162959688f6b4a91d15c9b208ef408694343a -- GitLab From b5e2842e0049f64b0f7c7ba9ce8b831bd84a0d78 Mon Sep 17 00:00:00 2001 From: Bart Visscher Date: Fri, 5 Jul 2013 22:24:36 +0200 Subject: [PATCH 360/415] Very simple log rotation --- lib/base.php | 1 + lib/log/rotate.php | 26 ++++++++++++++++++++++++++ 2 files changed, 27 insertions(+) create mode 100644 lib/log/rotate.php diff --git a/lib/base.php b/lib/base.php index 0c9fe329b8f..22aed1c5664 100644 --- a/lib/base.php +++ b/lib/base.php @@ -491,6 +491,7 @@ class OC { self::registerCacheHooks(); self::registerFilesystemHooks(); self::registerShareHooks(); + \OCP\BackgroundJob::registerJob('OC\Log\Rotate', OC_Config::getValue("datadirectory", OC::$SERVERROOT.'/data').'/owncloud.log'); //make sure temporary files are cleaned up register_shutdown_function(array('OC_Helper', 'cleanTmp')); diff --git a/lib/log/rotate.php b/lib/log/rotate.php new file mode 100644 index 00000000000..d5b970c1a9e --- /dev/null +++ b/lib/log/rotate.php @@ -0,0 +1,26 @@ + + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +namespace OC\Log; + +class Rotate extends \OC\BackgroundJob\Job { + const LOG_SIZE_LIMIT = 104857600; // 100 MB + public function run($logFile) { + $filesize = filesize($logFile); + if ($filesize >= self::LOG_SIZE_LIMIT) { + $this->rotate($logFile); + } + } + + protected function rotate($logfile) { + $rotated_logfile = $logfile.'.1'; + rename($logfile, $rotated_logfile); + $msg = 'Log file "'.$logfile.'" was over 100MB, moved to "'.$rotated_logfile.'"'; + \OC_Log::write('OC\Log\Rotate', $msg, \OC_Log::WARN); + } +} -- GitLab From 594a2af75af8d350965d11c1e77f12f1ebae456f Mon Sep 17 00:00:00 2001 From: Bart Visscher Date: Fri, 5 Jul 2013 22:42:17 +0200 Subject: [PATCH 361/415] Review fixes --- lib/log/rotate.php | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/lib/log/rotate.php b/lib/log/rotate.php index d5b970c1a9e..d79fd40342c 100644 --- a/lib/log/rotate.php +++ b/lib/log/rotate.php @@ -11,16 +11,16 @@ namespace OC\Log; class Rotate extends \OC\BackgroundJob\Job { const LOG_SIZE_LIMIT = 104857600; // 100 MB public function run($logFile) { - $filesize = filesize($logFile); + $filesize = @filesize($logFile); if ($filesize >= self::LOG_SIZE_LIMIT) { $this->rotate($logFile); } } protected function rotate($logfile) { - $rotated_logfile = $logfile.'.1'; - rename($logfile, $rotated_logfile); - $msg = 'Log file "'.$logfile.'" was over 100MB, moved to "'.$rotated_logfile.'"'; + $rotatedLogfile = $logfile.'.1'; + rename($logfile, $rotatedLogfile); + $msg = 'Log file "'.$logfile.'" was over 100MB, moved to "'.$rotatedLogfile.'"'; \OC_Log::write('OC\Log\Rotate', $msg, \OC_Log::WARN); } } -- GitLab From 62560ef859a459542af50dd1905bdf8828a1d142 Mon Sep 17 00:00:00 2001 From: Bart Visscher Date: Fri, 5 Jul 2013 22:59:42 +0200 Subject: [PATCH 362/415] Add description to log rotate class --- lib/log/rotate.php | 7 +++++++ 1 file changed, 7 insertions(+) diff --git a/lib/log/rotate.php b/lib/log/rotate.php index d79fd40342c..3b976d50dce 100644 --- a/lib/log/rotate.php +++ b/lib/log/rotate.php @@ -8,6 +8,13 @@ namespace OC\Log; +/** + * This rotates the current logfile to a new name, this way the total log usage + * will stay limited and older entries are available for a while longer. The + * total disk usage is twice LOG_SIZE_LIMIT. + * For more professional log management set the 'logfile' config to a different + * location and manage that with your own tools. + */ class Rotate extends \OC\BackgroundJob\Job { const LOG_SIZE_LIMIT = 104857600; // 100 MB public function run($logFile) { -- GitLab From 42f3ecb60fb14ef9739b436f115d302b5d4432a1 Mon Sep 17 00:00:00 2001 From: Bart Visscher Date: Wed, 10 Jul 2013 18:07:43 +0200 Subject: [PATCH 363/415] Check for installed state before registering the logrotate background job --- lib/base.php | 16 +++++++++++++++- lib/log/rotate.php | 2 +- 2 files changed, 16 insertions(+), 2 deletions(-) diff --git a/lib/base.php b/lib/base.php index 22aed1c5664..f45012bb83c 100644 --- a/lib/base.php +++ b/lib/base.php @@ -491,7 +491,7 @@ class OC { self::registerCacheHooks(); self::registerFilesystemHooks(); self::registerShareHooks(); - \OCP\BackgroundJob::registerJob('OC\Log\Rotate', OC_Config::getValue("datadirectory", OC::$SERVERROOT.'/data').'/owncloud.log'); + self::registerLogRotate(); //make sure temporary files are cleaned up register_shutdown_function(array('OC_Helper', 'cleanTmp')); @@ -553,6 +553,20 @@ class OC { } } + /** + * register hooks for the cache + */ + public static function registerLogRotate() { + if (OC_Config::getValue('installed', false)) { //don't try to do this before we are properly setup + // register cache cleanup jobs + try { //if this is executed before the upgrade to the new backgroundjob system is completed it will throw an exception + \OCP\BackgroundJob::registerJob('OC\Log\Rotate', OC_Config::getValue("datadirectory", OC::$SERVERROOT.'/data').'/owncloud.log'); + } catch (Exception $e) { + + } + } + } + /** * register hooks for the filesystem */ diff --git a/lib/log/rotate.php b/lib/log/rotate.php index 3b976d50dce..41ef2ea299c 100644 --- a/lib/log/rotate.php +++ b/lib/log/rotate.php @@ -16,7 +16,7 @@ namespace OC\Log; * location and manage that with your own tools. */ class Rotate extends \OC\BackgroundJob\Job { - const LOG_SIZE_LIMIT = 104857600; // 100 MB + const LOG_SIZE_LIMIT = 104857600; // 100 MiB public function run($logFile) { $filesize = @filesize($logFile); if ($filesize >= self::LOG_SIZE_LIMIT) { -- GitLab From 3fd2df4088d17547a3a31023a75cf538c95ade18 Mon Sep 17 00:00:00 2001 From: Bart Visscher Date: Wed, 28 Aug 2013 17:41:27 +0200 Subject: [PATCH 364/415] Only enable logrotate when configured. Also rotate size is settable. --- config/config.sample.php | 15 ++++++++++++--- lib/base.php | 3 ++- lib/log/rotate.php | 16 +++++++++------- 3 files changed, 23 insertions(+), 11 deletions(-) diff --git a/config/config.sample.php b/config/config.sample.php index 24ba541ac5c..f5cb33732f8 100644 --- a/config/config.sample.php +++ b/config/config.sample.php @@ -141,10 +141,22 @@ $CONFIG = array( /* Loglevel to start logging at. 0=DEBUG, 1=INFO, 2=WARN, 3=ERROR (default is WARN) */ "loglevel" => "", +/* date format to be used while writing to the owncloud logfile */ +'logdateformat' => 'F d, Y H:i:s', + /* 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, +/* + * Configure the size in bytes log rotation should happen, 0 or false disables the rotation. + * This rotates the current owncloud logfile to a new name, this way the total log usage + * will stay limited and older entries are available for a while longer. The + * total disk usage is twice the configured size. + * WARNING: When you use this, the log entries will eventually be lost. + */ +'log_rotate_size' => false, // 104857600, // 100 MiB + /* Lifetime of the remember login cookie, default is 15 days */ "remember_login_cookie_lifetime" => 60*60*24*15, @@ -189,7 +201,4 @@ $CONFIG = array( 'customclient_desktop' => '', //http://owncloud.org/sync-clients/ 'customclient_android' => '', //https://play.google.com/store/apps/details?id=com.owncloud.android 'customclient_ios' => '', //https://itunes.apple.com/us/app/owncloud/id543672169?mt=8 - -// date format to be used while writing to the owncloud logfile -'logdateformat' => 'F d, Y H:i:s' ); diff --git a/lib/base.php b/lib/base.php index f45012bb83c..2e6a37c9f4e 100644 --- a/lib/base.php +++ b/lib/base.php @@ -557,7 +557,8 @@ class OC { * register hooks for the cache */ public static function registerLogRotate() { - if (OC_Config::getValue('installed', false)) { //don't try to do this before we are properly setup + if (OC_Config::getValue('installed', false) && OC_Config::getValue('log_rotate_size', false)) { + //don't try to do this before we are properly setup // register cache cleanup jobs try { //if this is executed before the upgrade to the new backgroundjob system is completed it will throw an exception \OCP\BackgroundJob::registerJob('OC\Log\Rotate', OC_Config::getValue("datadirectory", OC::$SERVERROOT.'/data').'/owncloud.log'); diff --git a/lib/log/rotate.php b/lib/log/rotate.php index 41ef2ea299c..b620f0be15c 100644 --- a/lib/log/rotate.php +++ b/lib/log/rotate.php @@ -10,24 +10,26 @@ namespace OC\Log; /** * This rotates the current logfile to a new name, this way the total log usage - * will stay limited and older entries are available for a while longer. The - * total disk usage is twice LOG_SIZE_LIMIT. + * will stay limited and older entries are available for a while longer. * For more professional log management set the 'logfile' config to a different * location and manage that with your own tools. */ class Rotate extends \OC\BackgroundJob\Job { - const LOG_SIZE_LIMIT = 104857600; // 100 MiB + private $max_log_size; public function run($logFile) { - $filesize = @filesize($logFile); - if ($filesize >= self::LOG_SIZE_LIMIT) { - $this->rotate($logFile); + $this->max_log_size = OC_Config::getValue('log_rotate_size', false); + if ($this->max_log_size) { + $filesize = @filesize($logFile); + if ($filesize >= $this->max_log_size) { + $this->rotate($logFile); + } } } protected function rotate($logfile) { $rotatedLogfile = $logfile.'.1'; rename($logfile, $rotatedLogfile); - $msg = 'Log file "'.$logfile.'" was over 100MB, moved to "'.$rotatedLogfile.'"'; + $msg = 'Log file "'.$logfile.'" was over '.$this->max_log_size.' bytes, moved to "'.$rotatedLogfile.'"'; \OC_Log::write('OC\Log\Rotate', $msg, \OC_Log::WARN); } } -- GitLab From e7b40983e4841de1b36c270e7331e345aac6a90c Mon Sep 17 00:00:00 2001 From: Jan-Christoph Borchardt Date: Wed, 28 Aug 2013 17:58:23 +0200 Subject: [PATCH 365/415] change orientation for delete tooltip to left, fix #4589 --- core/js/js.js | 1 + 1 file changed, 1 insertion(+) diff --git a/core/js/js.js b/core/js/js.js index d580b6113e6..c2f79dff68b 100644 --- a/core/js/js.js +++ b/core/js/js.js @@ -762,6 +762,7 @@ $(document).ready(function(){ $('.password .action').tipsy({gravity:'se', fade:true, live:true}); $('#upload').tipsy({gravity:'w', fade:true}); $('.selectedActions a').tipsy({gravity:'s', fade:true, live:true}); + $('a.action.delete').tipsy({gravity:'e', fade:true, live:true}); $('a.action').tipsy({gravity:'s', fade:true, live:true}); $('td .modified').tipsy({gravity:'s', fade:true, live:true}); -- GitLab From d4952bd9df679306ff3e2a8efba1f37ed9d97044 Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Wed, 28 Aug 2013 18:36:32 +0200 Subject: [PATCH 366/415] fix typo --- lib/log/rotate.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/log/rotate.php b/lib/log/rotate.php index b620f0be15c..bf23ad588b3 100644 --- a/lib/log/rotate.php +++ b/lib/log/rotate.php @@ -17,7 +17,7 @@ namespace OC\Log; class Rotate extends \OC\BackgroundJob\Job { private $max_log_size; public function run($logFile) { - $this->max_log_size = OC_Config::getValue('log_rotate_size', false); + $this->max_log_size = \OC_Config::getValue('log_rotate_size', false); if ($this->max_log_size) { $filesize = @filesize($logFile); if ($filesize >= $this->max_log_size) { -- GitLab From 54d07bd9b0448c8343b1f9424f75b859d0b3d01d Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Wed, 28 Aug 2013 21:22:56 +0200 Subject: [PATCH 367/415] update 3rdparty - md5 --- 3rdparty | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/3rdparty b/3rdparty index 6c116295968..21b466b72cd 160000 --- a/3rdparty +++ b/3rdparty @@ -1 +1 @@ -Subproject commit 6c1162959688f6b4a91d15c9b208ef408694343a +Subproject commit 21b466b72cdd4c823c011669593ecef1defb1f3c -- GitLab From 067815099f909a20fd6cf79af451dedc53bf4c54 Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Wed, 28 Aug 2013 21:54:20 +0200 Subject: [PATCH 368/415] calculate fontsize and line-height --- core/js/placeholder.js | 9 +++++++-- 1 file changed, 7 insertions(+), 2 deletions(-) diff --git a/core/js/placeholder.js b/core/js/placeholder.js index 6a1c653b587..318fe48ffa4 100644 --- a/core/js/placeholder.js +++ b/core/js/placeholder.js @@ -34,7 +34,7 @@ * * Which will result in: * - *
    T
    + *
    T
    * */ @@ -45,7 +45,8 @@ red = parseInt(hash.substr(0,10), 16) / maxRange * 256, green = parseInt(hash.substr(10,10), 16) / maxRange * 256, blue = parseInt(hash.substr(20,10), 16) / maxRange * 256, - rgb = [Math.floor(red), Math.floor(green), Math.floor(blue)]; + rgb = [Math.floor(red), Math.floor(green), Math.floor(blue)], + height = this.height(); this.css('background-color', 'rgb(' + rgb.join(',') + ')'); // CSS rules @@ -53,6 +54,10 @@ this.css('font-weight', 'bold'); this.css('text-align', 'center'); + // calculate the height + this.css('line-height', height + 'px'); + this.css('font-size', (height * 0.55) + 'px'); + if(seed !== null && seed.length) { this.html(seed[0].toUpperCase()); } -- GitLab From 6c7efd5dacaf9144b715ad6db408ce53d0682cbe Mon Sep 17 00:00:00 2001 From: kondou Date: Wed, 28 Aug 2013 22:12:01 +0200 Subject: [PATCH 369/415] Work around #4630 to fix license showing --- settings/js/apps.js | 11 ++++++++++- 1 file changed, 10 insertions(+), 1 deletion(-) diff --git a/settings/js/apps.js b/settings/js/apps.js index d9817aff6b6..3372d769bd3 100644 --- a/settings/js/apps.js +++ b/settings/js/apps.js @@ -27,7 +27,16 @@ OC.Settings.Apps = OC.Settings.Apps || { } page.find('small.externalapp').attr('style', 'visibility:visible'); page.find('span.author').text(app.author); - page.find('span.licence').text(app.license); + + // FIXME licenses of downloaded apps go into app.licence, licenses of not-downloaded apps into app.license + if (typeof(app.licence) !== 'undefined') { + var applicense = app.licence; + } else if (typeof(app.license) !== 'undefined') { + var applicense = app.license; + } else { + var applicense = ''; + } + page.find('span.licence').text(applicense); if (app.update !== false) { page.find('input.update').show(); -- GitLab From 1d04843ef07abe16132badc4d062a1321a18d211 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Wed, 28 Aug 2013 22:42:43 +0200 Subject: [PATCH 370/415] no duplicate declaration of appLicense + camelCase --- settings/js/apps.js | 9 ++++----- 1 file changed, 4 insertions(+), 5 deletions(-) diff --git a/settings/js/apps.js b/settings/js/apps.js index 3372d769bd3..1ae45932172 100644 --- a/settings/js/apps.js +++ b/settings/js/apps.js @@ -29,14 +29,13 @@ OC.Settings.Apps = OC.Settings.Apps || { page.find('span.author').text(app.author); // FIXME licenses of downloaded apps go into app.licence, licenses of not-downloaded apps into app.license + var appLicense = ''; if (typeof(app.licence) !== 'undefined') { - var applicense = app.licence; + appLicense = app.licence; } else if (typeof(app.license) !== 'undefined') { - var applicense = app.license; - } else { - var applicense = ''; + appLicense = app.license; } - page.find('span.licence').text(applicense); + page.find('span.licence').text(appLicense); if (app.update !== false) { page.find('input.update').show(); -- GitLab From 6502a148ec6a23abaf4af6426db83129ca0d9b9a Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Wed, 28 Aug 2013 23:04:55 +0200 Subject: [PATCH 371/415] fixing typo --- core/js/placeholder.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/core/js/placeholder.js b/core/js/placeholder.js index 318fe48ffa4..16543541cb4 100644 --- a/core/js/placeholder.js +++ b/core/js/placeholder.js @@ -20,7 +20,7 @@ */ /* - * Adds a background color to the element called on and adds the first charater + * Adds a background color to the element called on and adds the first character * of the passed in string. This string is also the seed for the generation of * the background color. * -- GitLab From 70b6e2161ec654f7049027bf6dc5072c1eda4d5e Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Thu, 29 Aug 2013 10:08:53 +0200 Subject: [PATCH 372/415] invert logic of disable_previews --- config/config.sample.php | 2 +- lib/preview.php | 6 +++--- 2 files changed, 4 insertions(+), 4 deletions(-) diff --git a/config/config.sample.php b/config/config.sample.php index 76de97818d5..6dd45163677 100644 --- a/config/config.sample.php +++ b/config/config.sample.php @@ -191,7 +191,7 @@ $CONFIG = array( 'customclient_ios' => '', //https://itunes.apple.com/us/app/owncloud/id543672169?mt=8 // PREVIEW -'disable_previews' => false, +'enable_previews' => true, /* the max width of a generated preview, if value is null, there is no limit */ 'preview_max_x' => null, /* the max height of a generated preview, if value is null, there is no limit */ diff --git a/lib/preview.php b/lib/preview.php index a8a8580e229..164ad10ba5f 100755 --- a/lib/preview.php +++ b/lib/preview.php @@ -569,9 +569,9 @@ class Preview { * @return void */ private static function initProviders() { - if(\OC_Config::getValue('disable_previews', false)) { + if(!\OC_Config::getValue('enable_previews', true)) { $provider = new Preview\Unknown(); - self::$providers = array($provider); + self::$providers = array($provider->getMimeType() => $provider); return; } @@ -606,7 +606,7 @@ class Preview { } public static function isMimeSupported($mimetype) { - if(\OC_Config::getValue('disable_previews', false)) { + if(!\OC_Config::getValue('enable_previews', true)) { return false; } -- GitLab From 301cce54ccdc1dcd1bd63bf4285e870e300979b7 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Thu, 29 Aug 2013 10:49:50 +0200 Subject: [PATCH 373/415] webdav quota information contains the values for used and free - not total --- lib/connector/sabre/directory.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/connector/sabre/directory.php b/lib/connector/sabre/directory.php index 66cd2fcd4e3..3181a4b310f 100644 --- a/lib/connector/sabre/directory.php +++ b/lib/connector/sabre/directory.php @@ -236,7 +236,7 @@ class OC_Connector_Sabre_Directory extends OC_Connector_Sabre_Node implements Sa $storageInfo = OC_Helper::getStorageInfo($this->path); return array( $storageInfo['used'], - $storageInfo['total'] + $storageInfo['free'] ); } -- GitLab From 98a04d7c73f2969d6b08f4d925f53fb8e9f34c7e Mon Sep 17 00:00:00 2001 From: Masaki Kawabata Neto Date: Thu, 29 Aug 2013 10:00:30 -0300 Subject: [PATCH 374/415] added help and status commands switch structure enables many commands seamlessy. also added some help and status command. --- console.php | 29 ++++++++++++++++++++++------- 1 file changed, 22 insertions(+), 7 deletions(-) diff --git a/console.php b/console.php index 4aec5bdc24f..a2d4ab3562e 100644 --- a/console.php +++ b/console.php @@ -20,17 +20,32 @@ if (!OC::$CLI) { exit(0); } +$self = basename($argv[0]); if ($argc <= 1) { - echo "Usage:" . PHP_EOL; - echo " " . basename($argv[0]) . " " . PHP_EOL; - exit(0); + $argv[1] = "help"; } $command = $argv[1]; array_shift($argv); -if ($command === 'files:scan') { - require_once 'apps/files/console/scan.php'; -} else { - echo "Unknown command '$command'" . PHP_EOL; +switch ($command) { + case 'files:scan': + require_once 'apps/files/console/scan.php'; + break; + case 'status': + require_once 'status.php'; + break; + case 'help': + echo "Usage:" . PHP_EOL; + echo " " . $self . " " . PHP_EOL; + echo PHP_EOL; + echo "Available commands:" . PHP_EOL; + echo " files:scan -> rescan filesystem" .PHP_EOL; + echo " status -> show some status information" .PHP_EOL; + echo " help -> show this help screen" .PHP_EOL; + break; + default: + echo "Unknown command '$command'" . PHP_EOL; + echo "For available commands type ". $self . " help" . PHP_EOL; + break; } -- GitLab From 4db6ed34b8a9e26f34e7cfb0c1cb8f9fd43dafe4 Mon Sep 17 00:00:00 2001 From: Masaki Kawabata Neto Date: Thu, 29 Aug 2013 10:00:53 -0300 Subject: [PATCH 375/415] added help and status commands switch structure enables many commands seamlessy. also added some help and status command. -- GitLab From 1dd18980ae171d9cd16ab95bdfb289b54ef6c34d Mon Sep 17 00:00:00 2001 From: Masaki Kawabata Neto Date: Thu, 29 Aug 2013 10:03:58 -0300 Subject: [PATCH 376/415] enable usage with CLI interface Added option to use the status.php with console.php via CLI --- status.php | 7 +++++-- 1 file changed, 5 insertions(+), 2 deletions(-) diff --git a/status.php b/status.php index 179fe3f49f2..88805ad6b19 100644 --- a/status.php +++ b/status.php @@ -33,8 +33,11 @@ try { 'version'=>implode('.', OC_Util::getVersion()), 'versionstring'=>OC_Util::getVersionString(), 'edition'=>OC_Util::getEditionString()); - - echo(json_encode($values)); + if (OC::$CLI) { + print_r($values); + } else { + echo(json_encode($values)); + } } catch (Exception $ex) { OC_Response::setStatus(OC_Response::STATUS_INTERNAL_SERVER_ERROR); -- GitLab From 1fa29b4c118b848fb3e0e6cdb6aa7bb88cb9d62e Mon Sep 17 00:00:00 2001 From: Robin Appelman Date: Thu, 29 Aug 2013 15:31:03 +0200 Subject: [PATCH 377/415] also emmit create hook when creating new files using touch() --- lib/files/view.php | 1 + 1 file changed, 1 insertion(+) diff --git a/lib/files/view.php b/lib/files/view.php index bb737f19ef8..8aee12bf6fe 100644 --- a/lib/files/view.php +++ b/lib/files/view.php @@ -249,6 +249,7 @@ class View { $hooks = array('touch'); if (!$this->file_exists($path)) { + $hooks[] = 'create'; $hooks[] = 'write'; } $result = $this->basicOperation('touch', $path, $hooks, $mtime); -- GitLab From 728fc7f123eeedb79f01dd1f38d469857a8e15cf Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Thu, 29 Aug 2013 16:13:16 +0200 Subject: [PATCH 378/415] fix parameter missing warning --- lib/preview.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/preview.php b/lib/preview.php index 164ad10ba5f..b40ba191fba 100755 --- a/lib/preview.php +++ b/lib/preview.php @@ -570,7 +570,7 @@ class Preview { */ private static function initProviders() { if(!\OC_Config::getValue('enable_previews', true)) { - $provider = new Preview\Unknown(); + $provider = new Preview\Unknown(array()); self::$providers = array($provider->getMimeType() => $provider); return; } -- GitLab From 04b9e77478a36b9ef9ed48a8181ed9195d47ec8a Mon Sep 17 00:00:00 2001 From: Masaki Date: Thu, 29 Aug 2013 15:03:16 -0300 Subject: [PATCH 379/415] replace ident spaces with tabs --- console.php | 41 +++++++++++++++++++++-------------------- status.php | 4 ++-- 2 files changed, 23 insertions(+), 22 deletions(-) diff --git a/console.php b/console.php index a2d4ab3562e..fbe09d9bb68 100644 --- a/console.php +++ b/console.php @@ -1,3 +1,4 @@ + @@ -22,30 +23,30 @@ if (!OC::$CLI) { $self = basename($argv[0]); if ($argc <= 1) { - $argv[1] = "help"; + $argv[1] = "help"; } $command = $argv[1]; array_shift($argv); switch ($command) { - case 'files:scan': - require_once 'apps/files/console/scan.php'; - break; - case 'status': - require_once 'status.php'; - break; - case 'help': - echo "Usage:" . PHP_EOL; - echo " " . $self . " " . PHP_EOL; - echo PHP_EOL; - echo "Available commands:" . PHP_EOL; - echo " files:scan -> rescan filesystem" .PHP_EOL; - echo " status -> show some status information" .PHP_EOL; - echo " help -> show this help screen" .PHP_EOL; - break; - default: - echo "Unknown command '$command'" . PHP_EOL; - echo "For available commands type ". $self . " help" . PHP_EOL; - break; + case 'files:scan': + require_once 'apps/files/console/scan.php'; + break; + case 'status': + require_once 'status.php'; + break; + case 'help': + echo "Usage:" . PHP_EOL; + echo " " . $self . " " . PHP_EOL; + echo PHP_EOL; + echo "Available commands:" . PHP_EOL; + echo " files:scan -> rescan filesystem" .PHP_EOL; + echo " status -> show some status information" .PHP_EOL; + echo " help -> show this help screen" .PHP_EOL; + break; + default: + echo "Unknown command '$command'" . PHP_EOL; + echo "For available commands type ". $self . " help" . PHP_EOL; + break; } diff --git a/status.php b/status.php index 88805ad6b19..88422100f14 100644 --- a/status.php +++ b/status.php @@ -34,9 +34,9 @@ try { 'versionstring'=>OC_Util::getVersionString(), 'edition'=>OC_Util::getEditionString()); if (OC::$CLI) { - print_r($values); + print_r($values); } else { - echo(json_encode($values)); + echo(json_encode($values)); } } catch (Exception $ex) { -- GitLab From 3a2534d3bd72501fea600284261dd426ea4c96b4 Mon Sep 17 00:00:00 2001 From: Jan-Christoph Borchardt Date: Fri, 30 Aug 2013 10:20:39 +0200 Subject: [PATCH 380/415] fix coding style for controls bar --- core/css/styles.css | 20 +++++++++++++------- 1 file changed, 13 insertions(+), 7 deletions(-) diff --git a/core/css/styles.css b/core/css/styles.css index dee0778afbb..dc91834e7b4 100644 --- a/core/css/styles.css +++ b/core/css/styles.css @@ -149,14 +149,20 @@ input[type="submit"].enabled { background:#66f866; border:1px solid #5e5; -moz-b /* CONTENT ------------------------------------------------------------------ */ #controls { - position:fixed; - height:2.8em; width:100%; - padding:0 70px 0 0.5em; margin:0; - -moz-box-sizing:border-box; box-sizing:border-box; - -moz-box-shadow:0 -3px 7px #000; -webkit-box-shadow:0 -3px 7px #000; box-shadow:0 -3px 7px #000; - background:#eee; border-bottom:1px solid #e7e7e7; z-index:50; + position: fixed; + height: 2.8em; + width: 100%; + padding: 0 70px 0 0.5em; + margin: 0; + background: #eee; + border-bottom: 1px solid #e7e7e7; + z-index: 50; + -moz-box-sizing: border-box; box-sizing: border-box; + -moz-box-shadow: 0 -3px 7px #000; -webkit-box-shadow: 0 -3px 7px #000; box-shadow: 0 -3px 7px #000; +} +#controls .button { + display: inline-block; } -#controls .button { display:inline-block; } #content { position:relative; height:100%; width:100%; } #content .hascontrols { position: relative; top: 2.9em; } -- GitLab From a6c7b210db38d72438ac177f1d807b3a796da0c9 Mon Sep 17 00:00:00 2001 From: Jan-Christoph Borchardt Date: Fri, 30 Aug 2013 10:26:41 +0200 Subject: [PATCH 381/415] adjust right padding of controls bar, fix #4650 --- core/css/styles.css | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/core/css/styles.css b/core/css/styles.css index dc91834e7b4..d5a79d349a6 100644 --- a/core/css/styles.css +++ b/core/css/styles.css @@ -150,9 +150,9 @@ input[type="submit"].enabled { background:#66f866; border:1px solid #5e5; -moz-b /* CONTENT ------------------------------------------------------------------ */ #controls { position: fixed; - height: 2.8em; + height: 36px; width: 100%; - padding: 0 70px 0 0.5em; + padding: 0 75px 0 6px; margin: 0; background: #eee; border-bottom: 1px solid #e7e7e7; -- GitLab From c9c4ab22a489c373cf994da490353e2f3e1cadd1 Mon Sep 17 00:00:00 2001 From: Jan-Christoph Borchardt Date: Fri, 30 Aug 2013 11:17:31 +0200 Subject: [PATCH 382/415] Apps management as sticky footer and rename to 'Apps', fix #4622 --- core/css/styles.css | 18 ++++++++++++++++++ core/templates/layout.user.php | 9 +++++++-- 2 files changed, 25 insertions(+), 2 deletions(-) diff --git a/core/css/styles.css b/core/css/styles.css index ce0d5abfc78..ad9fcb43466 100644 --- a/core/css/styles.css +++ b/core/css/styles.css @@ -501,6 +501,9 @@ label.infield { cursor:text !important; top:1.05em; left:.85em; } #navigation:hover { overflow-y: auto; /* show scrollbar only on hover */ } +#apps { + height: 100%; +} #navigation a span { display: block; text-decoration: none; @@ -545,9 +548,24 @@ label.infield { cursor:text !important; top:1.05em; left:.85em; } padding-top: 20px; } +/* Apps management as sticky footer, less obtrusive in the list */ +#navigation .wrapper { + min-height: 100%; + margin: 0 auto -72px; +} +#apps-management, #navigation .push { + height: 70px; +} #apps-management { + -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=60)"; + filter: alpha(opacity=60); opacity: .6; } +#apps-management .icon { + padding-bottom: 0; +} + + /* USER MENU */ diff --git a/core/templates/layout.user.php b/core/templates/layout.user.php index 3c1114492cb..1e0f4a75c3c 100644 --- a/core/templates/layout.user.php +++ b/core/templates/layout.user.php @@ -78,6 +78,7 @@
    -- GitLab From e704c8e4dc41e69b4d4d8e8f3d1c1108920bb29a Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 14 Aug 2013 11:51:54 +0200 Subject: [PATCH 213/415] use web.svg instead of web.png --- apps/files/templates/index.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/apps/files/templates/index.php b/apps/files/templates/index.php index 311ada70dfd..89604c4fa0b 100644 --- a/apps/files/templates/index.php +++ b/apps/files/templates/index.php @@ -10,7 +10,7 @@ data-type='file'>

    t('Text file'));?>

  • t('Folder'));?>

  • -
  • t('From link'));?>

  • -- GitLab From f9b281576726774c2109f8f909aceeb7320b4cae Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 14 Aug 2013 12:21:27 +0200 Subject: [PATCH 214/415] remove \OC\Preview::showErrorPreview --- core/ajax/preview.php | 3 --- core/ajax/publicpreview.php | 6 ------ core/ajax/trashbinpreview.php | 3 --- lib/preview.php | 7 ------- 4 files changed, 19 deletions(-) diff --git a/core/ajax/preview.php b/core/ajax/preview.php index a9d127ffcc4..486155831d7 100644 --- a/core/ajax/preview.php +++ b/core/ajax/preview.php @@ -15,14 +15,12 @@ $scalingUp = array_key_exists('scalingup', $_GET) ? (bool) $_GET['scalingup'] : if($file === '') { \OC_Response::setStatus(400); //400 Bad Request \OC_Log::write('core-preview', 'No file parameter was passed', \OC_Log::DEBUG); - \OC\Preview::showErrorPreview(); exit; } if($maxX === 0 || $maxY === 0) { \OC_Response::setStatus(400); //400 Bad Request \OC_Log::write('core-preview', 'x and/or y set to 0', \OC_Log::DEBUG); - \OC\Preview::showErrorPreview(); exit; } @@ -37,6 +35,5 @@ try{ }catch(\Exception $e) { \OC_Response::setStatus(500); \OC_Log::write('core', $e->getmessage(), \OC_Log::ERROR); - \OC\Preview::showErrorPreview(); exit; } \ No newline at end of file diff --git a/core/ajax/publicpreview.php b/core/ajax/publicpreview.php index 955fbc2626a..83194d5349c 100644 --- a/core/ajax/publicpreview.php +++ b/core/ajax/publicpreview.php @@ -18,7 +18,6 @@ $token = array_key_exists('t', $_GET) ? (string) $_GET['t'] : ''; if($token === ''){ \OC_Response::setStatus(400); //400 Bad Request \OC_Log::write('core-preview', 'No token parameter was passed', \OC_Log::DEBUG); - \OC\Preview::showErrorPreview(); exit; } @@ -26,14 +25,12 @@ $linkedItem = \OCP\Share::getShareByToken($token); if($linkedItem === false || ($linkedItem['item_type'] !== 'file' && $linkedItem['item_type'] !== 'folder')) { \OC_Response::setStatus(404); \OC_Log::write('core-preview', 'Passed token parameter is not valid', \OC_Log::DEBUG); - \OC\Preview::showErrorPreview(); exit; } if(!isset($linkedItem['uid_owner']) || !isset($linkedItem['file_source'])) { \OC_Response::setStatus(500); \OC_Log::write('core-preview', 'Passed token seems to be valid, but it does not contain all necessary information . ("' . $token . '")', \OC_Log::WARN); - \OC\Preview::showErrorPreview(); exit; } @@ -50,7 +47,6 @@ if($linkedItem['item_type'] === 'folder') { if(!$isvalid) { \OC_Response::setStatus(400); //400 Bad Request \OC_Log::write('core-preview', 'Passed filename is not valid, might be malicious (file:"' . $file . '";ip:"' . $_SERVER['REMOTE_ADDR'] . '")', \OC_Log::WARN); - \OC\Preview::showErrorPreview(); exit; } $sharedFile = \OC\Files\Filesystem::normalizePath($file); @@ -70,7 +66,6 @@ if(substr($path, 0, 1) === '/') { if($maxX === 0 || $maxY === 0) { \OC_Response::setStatus(400); //400 Bad Request \OC_Log::write('core-preview', 'x and/or y set to 0', \OC_Log::DEBUG); - \OC\Preview::showErrorPreview(); exit; } @@ -87,6 +82,5 @@ try{ } catch (\Exception $e) { \OC_Response::setStatus(500); \OC_Log::write('core', $e->getmessage(), \OC_Log::ERROR); - \OC\Preview::showErrorPreview(); exit; } \ No newline at end of file diff --git a/core/ajax/trashbinpreview.php b/core/ajax/trashbinpreview.php index d018a57d37b..a916dcf229f 100644 --- a/core/ajax/trashbinpreview.php +++ b/core/ajax/trashbinpreview.php @@ -19,14 +19,12 @@ $scalingUp = array_key_exists('scalingup', $_GET) ? (bool) $_GET['scalingup'] : if($file === '') { \OC_Response::setStatus(400); //400 Bad Request \OC_Log::write('core-preview', 'No file parameter was passed', \OC_Log::DEBUG); - \OC\Preview::showErrorPreview(); exit; } if($maxX === 0 || $maxY === 0) { \OC_Response::setStatus(400); //400 Bad Request \OC_Log::write('core-preview', 'x and/or y set to 0', \OC_Log::DEBUG); - \OC\Preview::showErrorPreview(); exit; } @@ -41,6 +39,5 @@ try{ }catch(\Exception $e) { \OC_Response::setStatus(500); \OC_Log::write('core', $e->getmessage(), \OC_Log::ERROR); - \OC\Preview::showErrorPreview(); exit; } \ No newline at end of file diff --git a/lib/preview.php b/lib/preview.php index 9f4d20b4650..92cc87c5897 100755 --- a/lib/preview.php +++ b/lib/preview.php @@ -611,11 +611,4 @@ class Preview { } return false; } - - private static function showErrorPreview() { - $path = \OC::$SERVERROOT . '/core/img/actions/delete.png'; - $preview = new \OC_Image($path); - $preview->preciseResize(36, 36); - $preview->show(); - } } \ No newline at end of file -- GitLab From 20855add94701432da093e2ae74477a76ddc7f48 Mon Sep 17 00:00:00 2001 From: Jan-Christoph Borchardt Date: Wed, 14 Aug 2013 12:33:41 +0200 Subject: [PATCH 215/415] add more file type icons, replace old ones --- core/img/filetypes/application-epub+zip.png | Bin 0 -> 1371 bytes core/img/filetypes/application-epub+zip.svg | 761 ++++++++++++++++++++ core/img/filetypes/calendar.png | Bin 0 -> 1333 bytes core/img/filetypes/calendar.svg | 94 +++ core/img/filetypes/database.png | Bin 390 -> 1372 bytes core/img/filetypes/database.svg | 54 ++ core/img/filetypes/folder-drag-accept.png | Bin 0 -> 757 bytes core/img/filetypes/folder-drag-accept.svg | 335 +++++++++ core/img/filetypes/link.png | Bin 923 -> 850 bytes core/img/filetypes/link.svg | 12 + core/img/filetypes/text-calendar.png | Bin 675 -> 0 bytes core/img/filetypes/text-vcard.png | Bin 533 -> 782 bytes core/img/filetypes/text-vcard.svg | 60 ++ core/img/filetypes/video.png | Bin 653 -> 1809 bytes core/img/filetypes/video.svg | 71 ++ 15 files changed, 1387 insertions(+) create mode 100644 core/img/filetypes/application-epub+zip.png create mode 100644 core/img/filetypes/application-epub+zip.svg create mode 100644 core/img/filetypes/calendar.png create mode 100644 core/img/filetypes/calendar.svg create mode 100644 core/img/filetypes/database.svg create mode 100644 core/img/filetypes/folder-drag-accept.png create mode 100644 core/img/filetypes/folder-drag-accept.svg create mode 100644 core/img/filetypes/link.svg delete mode 100644 core/img/filetypes/text-calendar.png create mode 100644 core/img/filetypes/text-vcard.svg create mode 100644 core/img/filetypes/video.svg diff --git a/core/img/filetypes/application-epub+zip.png b/core/img/filetypes/application-epub+zip.png new file mode 100644 index 0000000000000000000000000000000000000000..b3e3b28b4d51b91305d967d445879de4cf25fcbe GIT binary patch literal 1371 zcmV-h1*H0kP)PkR2z4dmP8Z^$N@%IHD=9TqX`!H0M0c**kTkWr82b^E&Sc)q zJIBR)^XAP*$)pu8yt((y+;h+W{LlZLcSg*Nz>WHK3i-)H-#$8Zir9OA%< z0|Dm*K|lZl!%#IaP*Y67OwnjAmh${I_05(g0hk%Hv$Nc~b&Fgs$F`UIaL(bJ#IrcT zi9-Ys0W&Oi90F0*#H^%U7eP>$uf_n9>&g}0tAYbm6hsg#%zCs>)oScQRxr@gG62*b zVg{;;a}HGyu`v3IVFIK!us4FBR-pF*psLj%)KI_)D2j;0(Z_ZP7EBF|X0vE*w!9Qn zId_U^C_ceL07xwXK-q@Ksm3783~d%b@=`SfaH6P$$`>m1cV#wWz}(_Y$N*GFUS6Zk zGmvCK&2S1TVdP>F{bKY!vYnycaR7e(^K)*_{ZdIo{A3uWiix4kYM|=UC~^rYFN<$| z=P*OP`zZxJ07Jdwn8F`-uf$?ZvZ!tu8mKnb$hpMgdt%ko46WNwv9!q9%O4;JFO42& z+q!X7;l`bx8k`d}1mKniU{wWWL+1{*Z5YQd<@x&3dn|g_d3?b79Q#; zK!mmqkA?YZCcb@}SND9x$iTs<1`8tt2k?tICMJ)PcQdqiq!Vn0%r5IGC>yI9L6izr zrLEl~C)0d&{s@KQJw`SiWMtC;3dMVTdHx7FrfFO0p+U%6QbUajQ9}Sh5Y*_v;s{ig z74055xz34mhgtL&So9Y-aqcjAxz37}Uc9etS5Dyrr67n!7*ZX+2Vg~eiroASJ~{ac z0PU-aw6(XOfyP~9xguhq?g0VB8i2|i-jHce;Zh|4(itz|y!x$*5v5=m0FoLgzx~S5 zm$?A&TEaPW9=W$fe?XEtO9BlVzYUkvK=~cm d4#59C{srer&cwx7=JWsn002ovPDHLkV1n~YhkO74 literal 0 HcmV?d00001 diff --git a/core/img/filetypes/application-epub+zip.svg b/core/img/filetypes/application-epub+zip.svg new file mode 100644 index 00000000000..041f9f15e68 --- /dev/null +++ b/core/img/filetypes/application-epub+zip.svg @@ -0,0 +1,761 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + + + + + + + + + + + + + + + + + + diff --git a/core/img/filetypes/calendar.png b/core/img/filetypes/calendar.png new file mode 100644 index 0000000000000000000000000000000000000000..d85b1db651c258b22d7707dbdf57a19bc92f832a GIT binary patch literal 1333 zcmV-51 z=jUBMpI_O^_E~(qdNH@&O{b(3p9{ywKms7~<#%*;cCxUrkeqw(z_#+Wfsb+UjW7LA zU(f&gFtmLl1>!4#>_-p_M@pp|t?nk&j;T5K1AGL@EhVR2{9u8jCX)XAD0))RE7Js)92HTMk$* z{A`zI3c-Q#n~9LKAqB2d*(YOhma;z~q(J%}tH%Z?7K^kb;;h~%AU%cfsv?A}2GH3W zxi(mBSbgJI)h8ZjsW5`AXq(iK( zGBzR?AZl|thqEpcaqzD@JUDcOw(GxOD*;YhtZ~SSMr-3EgrFAsrv=nj;haP|N5}nt zX!-gJb{~EVQ(l7_xsVdVwYXXotOH}|)K#C>HxFY2gEdugXoGfwsiQ}|qY$hkKw!1S z1O{mx&Il4MEwr9GP4MSDda(!sgs85*E&$aiI0p_AZ5`}7b(+eZ-zhH`T&+gX7VRXf zyNZf+1voGjjp}@@S_4vG%9^#=TUEmL&WOCBk{?$z&N)oEf|B909OguPTM z(cRsR5Q3SR8Pe%Ai9~`zp+Hwx7fPvZVSvfW$%uGM0pTqL5R1j4hQh1(+ zbB$p-?D9;kU2;Ed^l?LmWOUrI59YXe%sghgMT52!AhL zycqqL%jF_GJUrYKR!TLW0)T;m0RYCv#^~wkAs&x2GBQG6UmsFRhKGk492|@Y*TY(C za=Bb{DF}^%AONc2(^^O24T2!5@E{1HA~VKB_93nxYibu5W1_HYt+{&jYBb@MD_5dP zbGcmPbNTY+XgtI~BzD^=FvcK+Ad|^NDd_F(#rJ(iMn=eFGC1eBbm>w9K5^ni0}i7# zF)`8nE~tBHdFn6;R}$K6gzE{LPJs}jp^`^OMO^O6VubveLX!rzVG|bRlxG{GE-Ai72x~&@#wo?@7}$w`}glZ z*xTFtSu&X%YO00000NkvXXu0mjfE4gM( literal 0 HcmV?d00001 diff --git a/core/img/filetypes/calendar.svg b/core/img/filetypes/calendar.svg new file mode 100644 index 00000000000..0016749b936 --- /dev/null +++ b/core/img/filetypes/calendar.svg @@ -0,0 +1,94 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/core/img/filetypes/database.png b/core/img/filetypes/database.png index 3d09261a26eb97c6dedc1d3504cbc2cf915eb642..24788b2a37f04a4d44d09fabc5ef8c062015fa42 100644 GIT binary patch literal 1372 zcmV-i1*7_jP)* z*4hRDBJzl+4d4}kYLX&s(Nx zf^$9y04Svf3BwSM<8<5YHYG{Y)>{80rCh##{kn5vfP44ueW|tnHkZqr1@?t=4#pUylxVeDf$KUU5q-6^wDiNV0Qc|T|Ace?OFnZAi(c-aaIqhNJ^My23qTxA-IDbjYeHux^xMiw+E%vnE-IkVUK1}Z8V0o9|G_^ z51o#KbNL*CFofs%kW!v%V#6?C+gXg5CORDlp63mX83G_8>U13Veiy~!B&MfIAOd{9 z3vX`^v5cXVLY!*Xze15}DGUL7bQIaF1+9T73ejlnKuQTBqGJKVFl@%LoZ_6r_q$+> z!?G-xW&$C4!x`(T*8d#GJ*d7dz3&WkyIuHx7fF&JjwQk{Y#s|RJ3EW#&!3}Inno^X z5BjB)a9tOk=fQQo^ymTra=9FA+eR*Dr^g&j(;S=|1Ob}OI?kUzKePviItqotIAa`Z zYY$PWJc8rA@d0+C<~R;2l}A`xdkDrj3WdV>u`5uk)x^TWHAIm_wOYmF$B#ion3QHQ3Tg@5d=Q!^*VNUcd)g!1+6u**-^~S&S7EU8lFCV%C20wax_4v z(?P4%#?sOvwzs$OcE!f!Dcy|`OdewS63%cC^ zg~H^SSn%@YHi95HnFYS@Z(ZlzKQeBXx<0z!yE zvB?<2>#IpbgZ}I1h{t1YjrtlS>DN5>=k@jVZ`Rk>cK}GO zwLB6ah2Q`(=`Av@UcGv;P$+z8+xADC^Y^sY<4Ka_lO!1h0LIuJW6U93QCMgI5V5A^C4NF6506?cn(x^0XdesRIX-5Ja0z}6E e=%Xe)*!}^IMmcxN+me(30000;1k*-!zk~CMF9Bv_3(^PCOq; + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + + + + + + + + + + diff --git a/core/img/filetypes/folder-drag-accept.png b/core/img/filetypes/folder-drag-accept.png new file mode 100644 index 0000000000000000000000000000000000000000..19c2d2eebd41e50454157f035df9c69dbcfc5717 GIT binary patch literal 757 zcmVPK2!hzQ_TEskU%234PbZxM067Xm>F4?9U0^} zPA}%x3G=$lyix!FP&LN9&GY=&=seG1j2XzO|4B-Dr~mx-j|Z8I*4mTi1`!q32X{g7 z&1lunRdB!%P7kMX&K7%_n6s8X6A** zFLvW3LuN7ZSwH|Hn<0sl9bo?~NVIOKNCVFJ$Y+5dLXv1`t($#-$Za*0QW%?dVD@Lh zu^1=(Kng+}D5y^B4?y$#ax(~gaCH*@%!1RC6y#I{l=9J7UvBgPI`s`VRY5pgt4-!y zIV8_;N+Sr^Q-Sgtt6m=ffcyE)%hzk4mM-Gho6*r*m6?u=Ct^-Q)dAoG0QK&GMC1UN n0dR-~Lz4yIGjmn|I4k`IiV;{$#ooxz00000NkvXXu0mjfIR`?8 literal 0 HcmV?d00001 diff --git a/core/img/filetypes/folder-drag-accept.svg b/core/img/filetypes/folder-drag-accept.svg new file mode 100644 index 00000000000..a7885c80be7 --- /dev/null +++ b/core/img/filetypes/folder-drag-accept.svg @@ -0,0 +1,335 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + + + + + + + + + + + + + + + + diff --git a/core/img/filetypes/link.png b/core/img/filetypes/link.png index 68f21d30116710e48a8bf462cb32441e51fad5f6..0e021d89f82366fecbb4896e852b958053125a16 100644 GIT binary patch literal 850 zcmV-Y1FigtP)v1 zer!LTi9pAG#pjrh?{FhxjPxWRl6OY=245t7n{gKhu^~q3Rw807@$JKp5i2XAD(sIE zz@IZd0hh5n*1t~tSCxF{;rEC+YdUfQS_#-SEK2$oVk@@cZ)}h4!#EMY`2&kfn5*y@ zty%$bwRgz>!HQD<9{hwa@fufSB#KfNoXHGqXY8A(6EKy4tjmD(;iLF|v}Q3*R;;bl zn92&kPzur|J=fuOjex@y-+deVhdOQPRy?jj2_cNfd0t)P_OPOTbQV{l?n+$*v{(Lq z?X;{KdB^TzX$E79b~aqeO~K6)NI$;9ZY;sM2E?h2S4=|-H**4>lmHgsqU!y>&Yojo zg@E7iB)102#M3vmmE)Nk9}VKjuWK7{Z?2;qDP;REczXEV5}HlmV! zpZIMu^So$k!?>=r5!G$QsjV#e_2U4Z_8{Pw_{?v`nZqcxjTI@iRQq1=e-A>c52MU+ z+_AG=&W6nm$?K2f2sUWug`{IUYXt0VK;G;^5&=idzIZ;yvW)K<-FM37SF)0bawHBV z{R7w+g>@Twmb_L#G9Brfc#gx`7tQ-k<~$en#sW&&QI(=OYy4vpB0;0_K7P%567W9C coc|ra1xC@JLcf37!~g&Q07*qoM6N<$f<=LeVgLXD literal 923 zcmV;M17!S(P)A9)b<7tX~vT z$e)FfZ+`X4_uKyq#wJHC;J3lH{lhQkUc~Wid;*pnjhM12xe-bPByd^xuQ9zgeM^Mm z*tc)|P}LtTnHXr@Gkmmbkg^O2bqyhO>LP|qjIwW2@Di+4EuKm~&tOO2!N3o{128Hl z9v%fgerM0C#)7P|PMvxr*!Gf?eGA8f{OT6fS`9l>LQCg)p=~c$Zr|AT_0+_?F*JJk zlapOT2Q(wWx-LMq(TxXxLn+U;!LV)MhNp~ommdh+fo8T*&g-yQbbG&ze&=>tC(Ar=&^1xlA;Jc(6 zcCi_xs8k}-S&#ONOHm%e@#nGC7F++8C~r29Or!_{(QGQEG)+O^J1BCPmgM4JAzC8I z`jS9bO>|}Jq_#$IRzp0d34>)&3L%7MN)eTv!0B!^nn}f4z2*vFE@jv3dn zG>H)u>FR7_d2JcsjvfZ$vkP~xik@T^(_N)nx=tqJV+tQjQ`owJ83bf`zX6Ear*=Mhzn5QUuXE|v zR33Qyi8G!0{H2r##d#6R6YmYbZz4NTssT;cXiGb6lxO+k@{ba@2D~*hKDY6N;Bkh> xhhCRLejsJkAIT{5sICHcfU`5>bKmUb{{y)0nR3PMMxX!y002ovPDHLkV1nl+t-}BS diff --git a/core/img/filetypes/link.svg b/core/img/filetypes/link.svg new file mode 100644 index 00000000000..b25013414ba --- /dev/null +++ b/core/img/filetypes/link.svg @@ -0,0 +1,12 @@ + + + + + image/svg+xml + + + + + + + diff --git a/core/img/filetypes/text-calendar.png b/core/img/filetypes/text-calendar.png deleted file mode 100644 index 658913852d60fc6ca8557568d26b8e93e7d56525..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 675 zcmV;U0$lxxP)w!? zFisFv!T|cmRtW;1f$>$s0G>^*GP-h`H-mzTP&3`b(d;hDCL-{+T2LSiJi1S%34OTG znWn~v^Brk?FQB#MFuosf?qnt!t(A%g#tAAA`tV{p&t%~)6GMus628BV?|aP6=Lr0O zrxPn=6Fy3{fE84gngF`mQ;ZG4p#ul`mYb)mJw@Q%q_eddamvg>kv)yI#B0M!3sxev z!1s9dp#Z>KE{BK5@W%p1Kt!2cEYj2vBiUHDJ-HCTS{r%b!`Wj=!r&Tb+LFBfRN!=5 zl7aC&Ul)Foh{s4J>JU)^p9+C-Q44MR8(8|WK})8dx#e}T%`v`wFOp3_q9I1QsXihN zJVaEgK9Y|1KAJgEb`m$%VXVVh!8pM>`_Eli`}OBJfVb0i{tF{QT8%v&>u>-7002ov JPDHLkV1feuD8K*! diff --git a/core/img/filetypes/text-vcard.png b/core/img/filetypes/text-vcard.png index c02f315d20749098a50e79bd9525eed3cda7be6b..2e52d1ecb3a51b897b64d06b8db16e89c398b9e6 100644 GIT binary patch literal 782 zcmV+p1M&QcP)qY}R-bwLrQFm6eFB|ZHER1vRe0%5a zogpbD=9SCk@`s0qr}zPNI-S4OYW2_jn7%ye;Nal2SS4=|g& z3gG4C1@(Fz4-XGuW+V~`q|<2}9UZL%P$_V?>G%66l}a!S1KDgA*=!cNuA^Ko}RXti1}O%wfoACHfZAR?HiiT(Y3Twh-!l}agnq4j~mV1V&>jLBr;cFS(Ji|y@g zyuQBr`T`Z|u!rcfxL(P$|DUkl)uvc0`MJUu<3*Xt<*&C4`RkN?~E zfl8&acHw!AMk7y5mA+g9mSqJ3Se9Q6gnRk_4{hF+Y$E`4T}LDm2^B!K{~iD$(lVLM z{pIClLpl4KdVYSsCn8Ns>C(`AYUp2g`Lzrdq67d-&Mit|?{!dp0=w2pNBI@jk^lez M07*qoM6N<$f|W>DiU0rr literal 533 zcmV+w0_y#VP)~%#^24dF_nR2<@_W67)1?cUEu^twUb)isDIFhhds}=iK3R>bPJ|0e?$zQO{gfSb6 zAmw}l&+|y1)FDbOh~LB|8AsbZWx#U1r$+A&&@Nx#xl}^&O@y|4t-qIL8GGyFgudOB zMUBefj6^S-TgKXw9~(9fXO}l9u&h~_&1U!^@!0B?~s|2G5wL<6_)Q&2rqn4Ysi zYDkz=-^k9mUKoqT&@0!tb`xM{bJg4sMG?(rlN1C@+IG7gZnyh)fD-9^wOWPO>qRga zgu~$&m^wiaP%IV^2m}y`M05a#41+*G!W1YTk2ASkP8&9ThNn^~CX>l%T{(BmzyFOt XHe4|Dt4X diff --git a/core/img/filetypes/text-vcard.svg b/core/img/filetypes/text-vcard.svg new file mode 100644 index 00000000000..27054be57e6 --- /dev/null +++ b/core/img/filetypes/text-vcard.svg @@ -0,0 +1,60 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + + + + + + + + + + + diff --git a/core/img/filetypes/video.png b/core/img/filetypes/video.png index b0ce7bb198a3b268bd634d2b26e9b710f3797d37..13bf229fc45a63ba5866d77024bda31414aabbaf 100644 GIT binary patch literal 1809 zcmV+s2k!WZP)Enn)?}C53)b^#2D3Q~)@3?ATui2M7Nd zi^T*05JEze{#W0Z?sV?dmr}yAEV8t;^tXkDg=w{I@W*&Oo^)OJBLF6)Oi)T=ZKWCj zP)d`EqCiS%d!F}+5TZq+(LVry<2WCsluT9C1R*5mc^-riwYKdf0C3K2A;d=^gcgg% zb`e5;1Tal~&p78uBofnCuU^eMj(Lx*tq@L|l%%wTzW8A6Bv+;2h%aLy5p zMgvT>6QC2g+lj%!K@1NMZ~&!<{>K@ZrM;jEsz6X=w>tTU*<}g%F{| z2HUVR4V@8@QsUI9Q>fKyn46n}>$-4V7mA{QF&6aw_Ta$-R4NsmK7BeEa~vn&LpK)f z2JP$%A>g_$_V3@1=g*&q054s-gyG>~sHzIvwgVu>7#=-(gmgL$$8q4gZm{Z|a6%;X zKllnl2<+Om3(;s4<#IV>Oi>gZKYkoXj~>O-r%!SJ{(ZDsEeIh{DwUvV8j{H*Ha0dw zwtWYDOxiuz8BWJ>(9_ccDJ5#PS}^X{i*{wii4!Mq?%X-3stV8ZP^;Ad0K0eZ-j>d8 z!UrVu+3AzYZ|m#pkWwO%NMLhw6P)vaPykRU6maj}J>>KGAgp`$?gfBAw>tuz&!7hFI-2&gPGekB_6#Xkd1B_BZptBME=4IgW#=sVVgJ_2J5uE9mR% zgJoG@jG=x0hrUfsO$F)v-6ZVJjW1G45JFHYl`t_efwO1N;_~Iouq+EJD=Pqi{{DXG zx{if~1>CxI3(aOT6!x7su#JSj=0K->{`?s?Z{Ebr%nS}3IDr2CegMGS+#HIi`go#l9wlfOBpZi^a|N@89duXfz1`j^ork z&$A+t$XBYW8d6Hww!IDjnx=i-wr_IIHv#Cnt|xumfQ0Qja3i13rx;_az7fv(x195D zEz4S$Qi3tIn$PD`j^o_uC|Dsq%d!GJ+qOe`uIt|L52e6?4pzRCQVJ<$y*=g?3Wc>o zp|B=|@Y+nTODTmA;#~)$1HEGT>K7C+d;O_vS zD2m=T^i4XQK0^rkz9Ze^>2#V>N`JRraO@8Z3}`}#f2UHZOy{-BvMd;e@!wEU3fs1! z>pD2+P!t9J?bbg7R8@s#S%}4AAwAPHq3e3+&?}Wn&nTrsDgfBF{Zp}6{D+j%*v|c( zh0^d}UH7%_w}cR4GRA%~4C9wu@t2e@{&V^>7(MR{X|}OU00000NkvXXu0mjfEu&Q_ literal 653 zcmV;80&@L{P)WO3(`_cf+b25@DJ#zdQm}8GzWtq2-QnZ8W6mB^kfeK5f%S{ zUW%tGMCwrwic~ZrQcG=4f?5bkV+3dRk8hw6bk~y$KX#b!y*J4EJ~>;dRASqrSu;ZpM>?P}K~6AT zWv6Dmq?v&9LdXC(m%WCO6ma_di$R(v$@ad_>@R41N3N5lSJq9@6CGhX84-$%Xrd_6 z;){?{E|Ytt5$S-&Au>t4wDlIxdkfe-a22LMj``McG};r8@{GsRPm*+8fFey6C)@ifDBXVyTw(N@Xd41b45OFg6x_QA zpwLiigyy~cVoPxW^r~C7ZQpr%>1$*HKmv~AY-qJw4;gUecS--wnqslISSS=^KA&Ic n@BK|Onfz#3R%n{$a)0j^sqv5F(1NTL00000NkvXXu0mjf3S}fX diff --git a/core/img/filetypes/video.svg b/core/img/filetypes/video.svg new file mode 100644 index 00000000000..b499d1cd252 --- /dev/null +++ b/core/img/filetypes/video.svg @@ -0,0 +1,71 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + + + + + + + + + + + + + + -- GitLab From 5abf6ddea4b3e1246a1c66e876e420841322865f Mon Sep 17 00:00:00 2001 From: Jan-Christoph Borchardt Date: Wed, 14 Aug 2013 12:36:31 +0200 Subject: [PATCH 216/415] replace same but differently named package graphics with one proper one --- .../filetypes/application-x-7z-compressed.png | Bin 650 -> 0 bytes .../application-x-bzip-compressed-tar.png | Bin 650 -> 0 bytes core/img/filetypes/application-x-bzip.png | Bin 650 -> 0 bytes .../application-x-compressed-tar.png | Bin 650 -> 0 bytes core/img/filetypes/application-x-deb.png | Bin 650 -> 0 bytes .../application-x-debian-package.png | Bin 539 -> 0 bytes core/img/filetypes/application-x-gzip.png | Bin 650 -> 0 bytes .../application-x-lzma-compressed-tar.png | Bin 650 -> 0 bytes core/img/filetypes/application-x-rar.png | Bin 650 -> 0 bytes core/img/filetypes/application-x-rpm.png | Bin 650 -> 0 bytes core/img/filetypes/application-x-tar.png | Bin 650 -> 0 bytes core/img/filetypes/application-x-tarz.png | Bin 650 -> 0 bytes core/img/filetypes/application-zip.png | Bin 650 -> 0 bytes core/img/filetypes/package-x-generic.png | Bin 0 -> 794 bytes core/img/filetypes/package-x-generic.svg | 62 ++++++++++++++++++ core/img/filetypes/x-.png | Bin 555 -> 0 bytes 16 files changed, 62 insertions(+) delete mode 100644 core/img/filetypes/application-x-7z-compressed.png delete mode 100644 core/img/filetypes/application-x-bzip-compressed-tar.png delete mode 100644 core/img/filetypes/application-x-bzip.png delete mode 100644 core/img/filetypes/application-x-compressed-tar.png delete mode 100644 core/img/filetypes/application-x-deb.png delete mode 100644 core/img/filetypes/application-x-debian-package.png delete mode 100644 core/img/filetypes/application-x-gzip.png delete mode 100644 core/img/filetypes/application-x-lzma-compressed-tar.png delete mode 100644 core/img/filetypes/application-x-rar.png delete mode 100644 core/img/filetypes/application-x-rpm.png delete mode 100644 core/img/filetypes/application-x-tar.png delete mode 100644 core/img/filetypes/application-x-tarz.png delete mode 100644 core/img/filetypes/application-zip.png create mode 100644 core/img/filetypes/package-x-generic.png create mode 100644 core/img/filetypes/package-x-generic.svg delete mode 100644 core/img/filetypes/x-.png diff --git a/core/img/filetypes/application-x-7z-compressed.png b/core/img/filetypes/application-x-7z-compressed.png deleted file mode 100644 index 2cd08aebf954b1fbd87e53856815e091d7b29d16..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 650 zcmV;50(Jd~P)o`*ydp1@?@ZsHlN&VCM238tNOk z1QY5L2%4$Sp*Ub*AccTt{fDFtybNg1E#o)FJXdrr^;GCd7{{KH!!QJ_vs=ham zZe6(N?pOcjQV86?e0$>>KyY^+-aLOUgz#kT$dOUgjHm}gs;Xjf^)!yN`{^yEWJ=D= z+LrC@&#k*(x^idZc{OBXl+v_m8q5q+MO7)KU?d0?DuS8Lk1-q$Nij}=8&wFbi%9)xYwI_!XW|rq zH!olODT+x5tXDvN?D#20lNH931%{(V2IDb<;e@55X8|~NbdB8YlMfE)+FcIz_h|Qb z__+D5u2dZ}qs;c0A*jrdt|8Y028VhDU%z}nN+#zSrE4j(7BfTDsni@-K?uZD5kdsO zOi{@I#R53) zMp7lEM2Ni_H$$~oR7$3FGt9y-0L>tVyJM=vs`P-6=4o`*ydp1@?@ZsHlN&VCM238tNOk z1QY5L2%4$Sp*Ub*AccTt{fDFtybNg1E#o)FJXdrr^;GCd7{{KH!!QJ_vs=ham zZe6(N?pOcjQV86?e0$>>KyY^+-aLOUgz#kT$dOUgjHm}gs;Xjf^)!yN`{^yEWJ=D= z+LrC@&#k*(x^idZc{OBXl+v_m8q5q+MO7)KU?d0?DuS8Lk1-q$Nij}=8&wFbi%9)xYwI_!XW|rq zH!olODT+x5tXDvN?D#20lNH931%{(V2IDb<;e@55X8|~NbdB8YlMfE)+FcIz_h|Qb z__+D5u2dZ}qs;c0A*jrdt|8Y028VhDU%z}nN+#zSrE4j(7BfTDsni@-K?uZD5kdsO zOi{@I#R53) zMp7lEM2Ni_H$$~oR7$3FGt9y-0L>tVyJM=vs`P-6=4o`*ydp1@?@ZsHlN&VCM238tNOk z1QY5L2%4$Sp*Ub*AccTt{fDFtybNg1E#o)FJXdrr^;GCd7{{KH!!QJ_vs=ham zZe6(N?pOcjQV86?e0$>>KyY^+-aLOUgz#kT$dOUgjHm}gs;Xjf^)!yN`{^yEWJ=D= z+LrC@&#k*(x^idZc{OBXl+v_m8q5q+MO7)KU?d0?DuS8Lk1-q$Nij}=8&wFbi%9)xYwI_!XW|rq zH!olODT+x5tXDvN?D#20lNH931%{(V2IDb<;e@55X8|~NbdB8YlMfE)+FcIz_h|Qb z__+D5u2dZ}qs;c0A*jrdt|8Y028VhDU%z}nN+#zSrE4j(7BfTDsni@-K?uZD5kdsO zOi{@I#R53) zMp7lEM2Ni_H$$~oR7$3FGt9y-0L>tVyJM=vs`P-6=4o`*ydp1@?@ZsHlN&VCM238tNOk z1QY5L2%4$Sp*Ub*AccTt{fDFtybNg1E#o)FJXdrr^;GCd7{{KH!!QJ_vs=ham zZe6(N?pOcjQV86?e0$>>KyY^+-aLOUgz#kT$dOUgjHm}gs;Xjf^)!yN`{^yEWJ=D= z+LrC@&#k*(x^idZc{OBXl+v_m8q5q+MO7)KU?d0?DuS8Lk1-q$Nij}=8&wFbi%9)xYwI_!XW|rq zH!olODT+x5tXDvN?D#20lNH931%{(V2IDb<;e@55X8|~NbdB8YlMfE)+FcIz_h|Qb z__+D5u2dZ}qs;c0A*jrdt|8Y028VhDU%z}nN+#zSrE4j(7BfTDsni@-K?uZD5kdsO zOi{@I#R53) zMp7lEM2Ni_H$$~oR7$3FGt9y-0L>tVyJM=vs`P-6=4o`*ydp1@?@ZsHlN&VCM238tNOk z1QY5L2%4$Sp*Ub*AccTt{fDFtybNg1E#o)FJXdrr^;GCd7{{KH!!QJ_vs=ham zZe6(N?pOcjQV86?e0$>>KyY^+-aLOUgz#kT$dOUgjHm}gs;Xjf^)!yN`{^yEWJ=D= z+LrC@&#k*(x^idZc{OBXl+v_m8q5q+MO7)KU?d0?DuS8Lk1-q$Nij}=8&wFbi%9)xYwI_!XW|rq zH!olODT+x5tXDvN?D#20lNH931%{(V2IDb<;e@55X8|~NbdB8YlMfE)+FcIz_h|Qb z__+D5u2dZ}qs;c0A*jrdt|8Y028VhDU%z}nN+#zSrE4j(7BfTDsni@-K?uZD5kdsO zOi{@I#R53) zMp7lEM2Ni_H$$~oR7$3FGt9y-0L>tVyJM=vs`P-6=4swT@MmX-bxDQkZK@nQTs)aaNpePoH&IpmkZShf=L}QLc7T zvW;1?j#;*nUbmB9xRhbKmSVb>W4oASy^dqOmS4S^XTFM}YQT$Vz@BWu zjA+4(X~CXr!i;Icl4!!6XTqRu!<1^om2AYGXvCp!#g=Twp=`#aa>u52$fkA4r+3Pw zaLT81&8cPyhe`sYygZR2UhB z!CgwjKp2M6=lhwYwuOSw3zwk#UyExH1*=p@GLxCtE3Z9=e;H81%#hR@B-rE2TqbJU zUf)H)`T00!aXF`3C73Rm5Zdbcz1JRGt`Em)N<-SSE{PQ85^@WPM146}26b;s7s(j) z>pVBc_EX0oQMYw3&S?ASBJoo>gauuFZJ#7Ld)HeHe;VmYy4^4~mp%~Y$=wX-u!8Ow dZpI&J`~qx(SpY!aSHS=P002ovPDHLkV1i1#`r7~i diff --git a/core/img/filetypes/application-x-gzip.png b/core/img/filetypes/application-x-gzip.png deleted file mode 100644 index 2cd08aebf954b1fbd87e53856815e091d7b29d16..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 650 zcmV;50(Jd~P)o`*ydp1@?@ZsHlN&VCM238tNOk z1QY5L2%4$Sp*Ub*AccTt{fDFtybNg1E#o)FJXdrr^;GCd7{{KH!!QJ_vs=ham zZe6(N?pOcjQV86?e0$>>KyY^+-aLOUgz#kT$dOUgjHm}gs;Xjf^)!yN`{^yEWJ=D= z+LrC@&#k*(x^idZc{OBXl+v_m8q5q+MO7)KU?d0?DuS8Lk1-q$Nij}=8&wFbi%9)xYwI_!XW|rq zH!olODT+x5tXDvN?D#20lNH931%{(V2IDb<;e@55X8|~NbdB8YlMfE)+FcIz_h|Qb z__+D5u2dZ}qs;c0A*jrdt|8Y028VhDU%z}nN+#zSrE4j(7BfTDsni@-K?uZD5kdsO zOi{@I#R53) zMp7lEM2Ni_H$$~oR7$3FGt9y-0L>tVyJM=vs`P-6=4o`*ydp1@?@ZsHlN&VCM238tNOk z1QY5L2%4$Sp*Ub*AccTt{fDFtybNg1E#o)FJXdrr^;GCd7{{KH!!QJ_vs=ham zZe6(N?pOcjQV86?e0$>>KyY^+-aLOUgz#kT$dOUgjHm}gs;Xjf^)!yN`{^yEWJ=D= z+LrC@&#k*(x^idZc{OBXl+v_m8q5q+MO7)KU?d0?DuS8Lk1-q$Nij}=8&wFbi%9)xYwI_!XW|rq zH!olODT+x5tXDvN?D#20lNH931%{(V2IDb<;e@55X8|~NbdB8YlMfE)+FcIz_h|Qb z__+D5u2dZ}qs;c0A*jrdt|8Y028VhDU%z}nN+#zSrE4j(7BfTDsni@-K?uZD5kdsO zOi{@I#R53) zMp7lEM2Ni_H$$~oR7$3FGt9y-0L>tVyJM=vs`P-6=4o`*ydp1@?@ZsHlN&VCM238tNOk z1QY5L2%4$Sp*Ub*AccTt{fDFtybNg1E#o)FJXdrr^;GCd7{{KH!!QJ_vs=ham zZe6(N?pOcjQV86?e0$>>KyY^+-aLOUgz#kT$dOUgjHm}gs;Xjf^)!yN`{^yEWJ=D= z+LrC@&#k*(x^idZc{OBXl+v_m8q5q+MO7)KU?d0?DuS8Lk1-q$Nij}=8&wFbi%9)xYwI_!XW|rq zH!olODT+x5tXDvN?D#20lNH931%{(V2IDb<;e@55X8|~NbdB8YlMfE)+FcIz_h|Qb z__+D5u2dZ}qs;c0A*jrdt|8Y028VhDU%z}nN+#zSrE4j(7BfTDsni@-K?uZD5kdsO zOi{@I#R53) zMp7lEM2Ni_H$$~oR7$3FGt9y-0L>tVyJM=vs`P-6=4o`*ydp1@?@ZsHlN&VCM238tNOk z1QY5L2%4$Sp*Ub*AccTt{fDFtybNg1E#o)FJXdrr^;GCd7{{KH!!QJ_vs=ham zZe6(N?pOcjQV86?e0$>>KyY^+-aLOUgz#kT$dOUgjHm}gs;Xjf^)!yN`{^yEWJ=D= z+LrC@&#k*(x^idZc{OBXl+v_m8q5q+MO7)KU?d0?DuS8Lk1-q$Nij}=8&wFbi%9)xYwI_!XW|rq zH!olODT+x5tXDvN?D#20lNH931%{(V2IDb<;e@55X8|~NbdB8YlMfE)+FcIz_h|Qb z__+D5u2dZ}qs;c0A*jrdt|8Y028VhDU%z}nN+#zSrE4j(7BfTDsni@-K?uZD5kdsO zOi{@I#R53) zMp7lEM2Ni_H$$~oR7$3FGt9y-0L>tVyJM=vs`P-6=4o`*ydp1@?@ZsHlN&VCM238tNOk z1QY5L2%4$Sp*Ub*AccTt{fDFtybNg1E#o)FJXdrr^;GCd7{{KH!!QJ_vs=ham zZe6(N?pOcjQV86?e0$>>KyY^+-aLOUgz#kT$dOUgjHm}gs;Xjf^)!yN`{^yEWJ=D= z+LrC@&#k*(x^idZc{OBXl+v_m8q5q+MO7)KU?d0?DuS8Lk1-q$Nij}=8&wFbi%9)xYwI_!XW|rq zH!olODT+x5tXDvN?D#20lNH931%{(V2IDb<;e@55X8|~NbdB8YlMfE)+FcIz_h|Qb z__+D5u2dZ}qs;c0A*jrdt|8Y028VhDU%z}nN+#zSrE4j(7BfTDsni@-K?uZD5kdsO zOi{@I#R53) zMp7lEM2Ni_H$$~oR7$3FGt9y-0L>tVyJM=vs`P-6=4o`*ydp1@?@ZsHlN&VCM238tNOk z1QY5L2%4$Sp*Ub*AccTt{fDFtybNg1E#o)FJXdrr^;GCd7{{KH!!QJ_vs=ham zZe6(N?pOcjQV86?e0$>>KyY^+-aLOUgz#kT$dOUgjHm}gs;Xjf^)!yN`{^yEWJ=D= z+LrC@&#k*(x^idZc{OBXl+v_m8q5q+MO7)KU?d0?DuS8Lk1-q$Nij}=8&wFbi%9)xYwI_!XW|rq zH!olODT+x5tXDvN?D#20lNH931%{(V2IDb<;e@55X8|~NbdB8YlMfE)+FcIz_h|Qb z__+D5u2dZ}qs;c0A*jrdt|8Y028VhDU%z}nN+#zSrE4j(7BfTDsni@-K?uZD5kdsO zOi{@I#R53) zMp7lEM2Ni_H$$~oR7$3FGt9y-0L>tVyJM=vs`P-6=4o`*ydp1@?@ZsHlN&VCM238tNOk z1QY5L2%4$Sp*Ub*AccTt{fDFtybNg1E#o)FJXdrr^;GCd7{{KH!!QJ_vs=ham zZe6(N?pOcjQV86?e0$>>KyY^+-aLOUgz#kT$dOUgjHm}gs;Xjf^)!yN`{^yEWJ=D= z+LrC@&#k*(x^idZc{OBXl+v_m8q5q+MO7)KU?d0?DuS8Lk1-q$Nij}=8&wFbi%9)xYwI_!XW|rq zH!olODT+x5tXDvN?D#20lNH931%{(V2IDb<;e@55X8|~NbdB8YlMfE)+FcIz_h|Qb z__+D5u2dZ}qs;c0A*jrdt|8Y028VhDU%z}nN+#zSrE4j(7BfTDsni@-K?uZD5kdsO zOi{@I#R53) zMp7lEM2Ni_H$$~oR7$3FGt9y-0L>tVyJM=vs`P-6=4vYsD`^WAyRc5Gk%8b%t)v)=jpW@f!Ms*3xh z;9kA|4*-BI3g14zdjshEHi{+)Jz0gDbrhn3zJC64|Kn^eZ^Eyi-mW8X$LkwwaTv}S zuP_!yu_tqOIony&*G!DFle53j`00yR`=>ww0dl9iQIfETLWG*L2@_AItgKTtVaAAL zm#4b`KKKD-Zji35rd5VYh5>}J@z$~`y$U33)JsR_e+H8P0suHX*xRPeZ6L77GHPVX z2#UaC%GW)noO3zL2rw2*?!n=~-u4s$B_2d+k`OV_`e2&%iPj-dgGLx7X*RkT0Qh17 zz?fjCzxF7waf+yyAne7kQ4HIQVN3{^G2Etr`tsV7@k73ru0EW;H<)c?a$vfIkOPy0 zkVDd64vvRsJ5vN!H@ED@=1Q*O#?0r?QEfv5D}7Jo;g8zn4aRtd;rL-Gj&ZTMWv2m% z2$-AaxJV-62QbyYdKBmN7YIOe1O9%dcGFW60GBhU)6D7j&+n}q)zKt@0s_=tdm*R( zj&cd8TMv{?wv1dW1K<`tpk3UwXu@I%xKM(&wyt@R5^k6RtrfabwQ{)x#0&aaOsg~n zRNDhLcxf$|s%XOIgQSatCYm4+7-ND-4|HOx;OTq1l8Ff-0%J^I0rV@6;>K*cm1cf- zUV^>_uq1g#*KyFssTaUF;Ux>edPnhXIIURB5wI43F7i39wBO-3FAqR104K`I%%(x- zMoE+vfU^Kb&e4(3@R@g)x=m6ji5vkK8C8Wb<}rZiPMl9d07zATP5ui`F!!5w2Sfny Y4=r&2?dYa8HUIzs07*qoM6N<$f=^&wX8-^I literal 0 HcmV?d00001 diff --git a/core/img/filetypes/package-x-generic.svg b/core/img/filetypes/package-x-generic.svg new file mode 100644 index 00000000000..13ab5b7550e --- /dev/null +++ b/core/img/filetypes/package-x-generic.svg @@ -0,0 +1,62 @@ + + + + + + image/svg+xml + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/core/img/filetypes/x-.png b/core/img/filetypes/x-.png deleted file mode 100644 index 8443c23eb944cf8ef49c9d13cd496502f46f1885..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 555 zcmV+`0@VG9P)i3lOYrtSl@<#7b-w zf}j{s!5HvocfT|9z82@(O@vrwU^wRt=bd>tXQpGD!`Kvuv@XEI8~tgUP2L`{+*)U@I@ zrVtr5X14??iAF(=0+k>q)v`Scm$9&=i`*knBsnaUVL1>ti*O1xfzmiD$%Md-h*6M( z@*iB)icu3eU424Ok{kp%Y!1dvp%f0`ac9vcupx^$vU0xuKpJcBvej0UYk%)EV>mIx2hV}QRf#LX^Uh(%`7hZ~|KEf#uQ31s002ovPDHLkV1hgQ{`mj^ -- GitLab From fc23649fa1afa5123bc6421378c9bc756db0ba7d Mon Sep 17 00:00:00 2001 From: Jan-Christoph Borchardt Date: Wed, 14 Aug 2013 12:43:42 +0200 Subject: [PATCH 217/415] replace different icons for documents, spreadsheets and presentations with proper ones --- core/img/filetypes/application-msexcel.png | Bin 663 -> 0 bytes .../filetypes/application-mspowerpoint.png | Bin 588 -> 0 bytes core/img/filetypes/application-msword.png | Bin 651 -> 0 bytes ...ication-vnd.oasis.opendocument.formula.png | Bin 479 -> 0 bytes ...cation-vnd.oasis.opendocument.graphics.png | Bin 475 -> 0 bytes ...on-vnd.oasis.opendocument.presentation.png | Bin 333 -> 0 bytes ...ion-vnd.oasis.opendocument.spreadsheet.png | Bin 344 -> 0 bytes ...pplication-vnd.oasis.opendocument.text.png | Bin 347 -> 0 bytes core/img/filetypes/ms-excel.png | Bin 663 -> 0 bytes core/img/filetypes/ms-powerpoint.png | Bin 588 -> 0 bytes core/img/filetypes/presentation.png | Bin 519 -> 0 bytes core/img/filetypes/spreadsheet.png | Bin 566 -> 0 bytes core/img/filetypes/x-office-document.png | Bin 0 -> 930 bytes core/img/filetypes/x-office-document.svg | 60 ++++++++++ core/img/filetypes/x-office-presentation.png | Bin 0 -> 1102 bytes core/img/filetypes/x-office-presentation.svg | 109 ++++++++++++++++++ core/img/filetypes/x-office-spreadsheet.png | Bin 0 -> 789 bytes core/img/filetypes/x-office-spreadsheet.svg | 64 ++++++++++ 18 files changed, 233 insertions(+) delete mode 100644 core/img/filetypes/application-msexcel.png delete mode 100644 core/img/filetypes/application-mspowerpoint.png delete mode 100644 core/img/filetypes/application-msword.png delete mode 100644 core/img/filetypes/application-vnd.oasis.opendocument.formula.png delete mode 100644 core/img/filetypes/application-vnd.oasis.opendocument.graphics.png delete mode 100644 core/img/filetypes/application-vnd.oasis.opendocument.presentation.png delete mode 100644 core/img/filetypes/application-vnd.oasis.opendocument.spreadsheet.png delete mode 100644 core/img/filetypes/application-vnd.oasis.opendocument.text.png delete mode 100644 core/img/filetypes/ms-excel.png delete mode 100644 core/img/filetypes/ms-powerpoint.png delete mode 100644 core/img/filetypes/presentation.png delete mode 100644 core/img/filetypes/spreadsheet.png create mode 100644 core/img/filetypes/x-office-document.png create mode 100644 core/img/filetypes/x-office-document.svg create mode 100644 core/img/filetypes/x-office-presentation.png create mode 100644 core/img/filetypes/x-office-presentation.svg create mode 100644 core/img/filetypes/x-office-spreadsheet.png create mode 100644 core/img/filetypes/x-office-spreadsheet.svg diff --git a/core/img/filetypes/application-msexcel.png b/core/img/filetypes/application-msexcel.png deleted file mode 100644 index b977d7e52e2446ea01201c5c7209ac3a05f12c9f..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 663 zcmV;I0%-k-P)^@R5;6x zlTS!gQ5431_q{u#M2 zg&W%y6a}>qj1Z|7Vu&-DW6d~k-n;jnHsjb-q#u0C^W!_5^C=MlKq<8oNCQ6qS00!X z5eI;XP=g!^f}j{hku}E1zZ?XCjE;`p19k(Rh%^AQQ54xysU+ocx$c#f61Z4HnT#3u~FR(3>BnZniMIF4DouI8Hi4u>cAK%EN)5PO(ip3(% zIgBx+QYirR){Z8QwV$9Z(Mpt=L-Or3#bf-G@66}txq0yc*T(zNTBDT0T8rO^JeNbSI-Tzf5!pBioy4NwAN^?iN#{;fH1Jke4Xa`^fR8m z%h6dq%xX)S?7`zae))(Xst^Scp6B8FejQW?RLTM8@0=vnnntuRGBM2dpo>gbCnTD= z^<;=JuqdSf@O>Z8^XdR?s+KEfhDdB_#ahFj^giCtzT(s8kA$AViyTqaAR;KGaLzUU z<=GqA4bRwpX|IG~*x>pZ!@zLr`XQ`od>m(`;jz|M_*1GDO#$7;n74ppb8=eiqh760 x0yt}J1#p`gw$`o!R{d7zU9~!Un@nJV{4bstt4Au+Up@c;002ovPDHLkV1kWhGjjj{ diff --git a/core/img/filetypes/application-mspowerpoint.png b/core/img/filetypes/application-mspowerpoint.png deleted file mode 100644 index c4eff0387d5888c638ba09473ba6d2369f7b56f0..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 588 zcmV-S0<-;zP)HU2HvUSp%6 z*n}iP63IK?dpo;h@sj9~pcxo;VVTc-XLiP@DgefqE#NE=@oyUd-&HjLpsLIuSFXV-EMck)oQ(A`s%*^&wf0(rNiNHsU%=0Rw;WC z(kbc37l6fo`-0uR!pYkYv8U^3?nsh^@pw!K0TH3uYyx1_2>|JbXPmfskJ|1YAw9w! z9`N)1^Aesr;y5Nr5-ODn)oOL|CGi}f9!&iVwpK$khlIX10X$H6^A_stBJqvLhU$?V`QXqKme*s~gVDJ4A;LTs_e15jhc1;By a82kqHEPVYFAD2!50000hkjP zNW|QGv-YFNLN^qH@tJycPNG5ti6B7;r4mEr#lr@*T8*M85D`{ZR^BWwF23T<%MYIh zdC)S*p=|xk^!~H=+HSZ183~y8v4|mYmZxt&)5{{~>J`>E223Q5>T$=~mtA71q-jdG z+eJhOAyBW^0k9Gk1+rX8)zFx((CG^&tDY>6XaS~Fy!WJON|Gdujg5^~Vzt@o%BcYLiNiTQSD`zL^ociBz_>bDlpw3kriQ@Z`bVsGz-_6N>$&gTDiKDTKR^ z-hB*tHa^>!oD~5TK^0UK5rZ}RBm50Bv}S-yA%s=Ha5RYb{)!z2N&$&64gfhybBu8p lh~_|?8^bu;BRYt{<}Yrwd83Y=s?Goa002ovPDHLkV1l%3CP4rI diff --git a/core/img/filetypes/application-vnd.oasis.opendocument.formula.png b/core/img/filetypes/application-vnd.oasis.opendocument.formula.png deleted file mode 100644 index e0cf49542d44e8a72f53a170b524bf73b6c94fef..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 479 zcmV<50U-W~P)kl?b!hEF}^N)(TD2=$W+J?I!BhkpOgY zx`|{md52$;%jJ;GX7zPE9%nY2&BT}Ag3hT7+NGXYEXJ%>t4Rnf>ksJF?ps3V)GL?E zI+SoY%q$j*N$MFp!+>^+{^gsN&^h&r#UcuYf(|7Z45p-x!4%qs&j@^&0$G+nXozM` zAHfTc_#@S7Ri{#^=X>e3r^k`HLg+EMD^O`rgS!2JwxQ5K!MB@cDeK@spqPZy58;LkX;)RGWTdsBaJ` zio%*pM<;2xCTH;S`u;;eeS^U3^%?|E&w0p70OyxizYdl927%k{7J?F=!BTV;`^RUf z*7nkwYxou;LO^|kfZwYSY-}Isx6sVy&Y=)c-ym?gTnzsR^$h~2)5#nT$9=m{{|gwu V+0lueHkJSY002ovPDHLkV1n0f-g^K5 diff --git a/core/img/filetypes/application-vnd.oasis.opendocument.graphics.png b/core/img/filetypes/application-vnd.oasis.opendocument.graphics.png deleted file mode 100644 index b326a0543a5e4505ecea5aba7bbb0ebe07bfc902..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 475 zcmV<10VMv3P)?xuc$zJqiVqDu%;VB`zp#>RqdirB%}70HTC5qdckM9`rw zUV;fTGekN>bx_i@r+FrJXvqzG;K$A~|M|_%Gb^OiX#o*MQOM`>#1388@o9KG9tUPk z1OS+zOd^J1+`*8lR;y5{RMIEa&UojuMX3C%@&-; zT(8$-U}dve;&eJ4!c_1A=JZ>b-MX;_=P}pmbfDdCGq94$WJwsCFTtqL9szA8Cmaqx zV-rQn3_=4B@J9^>0}J%_2nsl6=Gg6{{s}Ls>%fW z-`SdQDjZEdoVR$j`t>zYm4tAuI*s^pih-2{3OF$g<1@)%ym7evXVlggQi7K$YbHEm1JvLhq*+@Y~+vNhx zTLko8`4MnIBBR0La)cozGOVHR-7Xhk-Xie({RI9|n70UgJ|FRVy|q!n{1@Jd@s)7; Rl3f4*002ovPDHLkV1hy|(kTD{ diff --git a/core/img/filetypes/application-vnd.oasis.opendocument.presentation.png b/core/img/filetypes/application-vnd.oasis.opendocument.presentation.png deleted file mode 100644 index 7c6fd24684095b2e90d6706e80dfae9d4ad394a7..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 333 zcmV-T0kZyyP)gFy?gh=|73s_ zD^`FFU|6JbpbMa^`>3_^Ga*~=M-1L#XgfzSrKN3P00000NkvXXu0mjf(l?Lc diff --git a/core/img/filetypes/application-vnd.oasis.opendocument.spreadsheet.png b/core/img/filetypes/application-vnd.oasis.opendocument.spreadsheet.png deleted file mode 100644 index 8b0e85b067039c2bd583db7fd94d746a6848547b..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 344 zcmV-e0jK_nP)M@H|fxMN!$Db-H!a3fH3% zY>cVI>gfwD%XM$a0(qYQ1h&WTv^knC1n2Ou(M4CyiOw%;vC(>_-O(HE^j{Z(b9ho4 zwt?2V5-a;pv@CM)zyev8eSbu6#un%eh97rkOn;&7AL;5=vnw38;~IfEQp(DH1Ei)I zzOes;G)4i4VE()@z0$87Njx0Dn)n|MEUUr<=FgXK^?Z?3Q2LC)VRxihXfPFVk0%8R|u zIlkhT_~a&+A?5&amG4tRDNU-L-&!{rlg7D!#$%GG`sqdl&aYt$z9I z<=a8xudT9fm$BS@TUK3Gw0rs14%vwj&wzUGM=a9X!Q}K~QN0mQb4!J7U(-yBKFeH= zns49jI~HZ=RaE$h&18z#;y7GzndQUMCIt>NUxs+C54H6mF4OtXeSRB6egrjET=x|| rFr7>0_{|WY^oHEo(bGyJxc|so{(IWaU}Cc$7-$Thu6{1-oD!M^@R5;6x zlTS!gQ5431_q{u#M2 zg&W%y6a}>qj1Z|7Vu&-DW6d~k-n;jnHsjb-q#u0C^W!_5^C=MlKq<8oNCQ6qS00!X z5eI;XP=g!^f}j{hku}E1zZ?XCjE;`p19k(Rh%^AQQ54xysU+ocx$c#f61Z4HnT#3u~FR(3>BnZniMIF4DouI8Hi4u>cAK%EN)5PO(ip3(% zIgBx+QYirR){Z8QwV$9Z(Mpt=L-Or3#bf-G@66}txq0yc*T(zNTBDT0T8rO^JeNbSI-Tzf5!pBioy4NwAN^?iN#{;fH1Jke4Xa`^fR8m z%h6dq%xX)S?7`zae))(Xst^Scp6B8FejQW?RLTM8@0=vnnntuRGBM2dpo>gbCnTD= z^<;=JuqdSf@O>Z8^XdR?s+KEfhDdB_#ahFj^giCtzT(s8kA$AViyTqaAR;KGaLzUU z<=GqA4bRwpX|IG~*x>pZ!@zLr`XQ`od>m(`;jz|M_*1GDO#$7;n74ppb8=eiqh760 x0yt}J1#p`gw$`o!R{d7zU9~!Un@nJV{4bstt4Au+Up@c;002ovPDHLkV1kWhGjjj{ diff --git a/core/img/filetypes/ms-powerpoint.png b/core/img/filetypes/ms-powerpoint.png deleted file mode 100644 index c4eff0387d5888c638ba09473ba6d2369f7b56f0..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 588 zcmV-S0<-;zP)HU2HvUSp%6 z*n}iP63IK?dpo;h@sj9~pcxo;VVTc-XLiP@DgefqE#NE=@oyUd-&HjLpsLIuSFXV-EMck)oQ(A`s%*^&wf0(rNiNHsU%=0Rw;WC z(kbc37l6fo`-0uR!pYkYv8U^3?nsh^@pw!K0TH3uYyx1_2>|JbXPmfskJ|1YAw9w! z9`N)1^Aesr;y5Nr5-ODn)oOL|CGi}f9!&iVwpK$khlIX10X$H6^A_stBJqvLhU$?V`QXqKme*s~gVDJ4A;LTs_e15jhc1;By a82kqHEPVYFAD2!50000l0tqi6&npJ$x10^Z5HznC|jkhtXU{*?AXX+vSK$&lqrKo z4P`-MYRWlh-uHXoo+plGVQMtjm29&SnPTept1G}>;1qBiY)nF?X%bBWNhny_l)Z3d z&-N3@T)lWSVVldhUf%V8y7}mh3o^f*rno=*oe{IP>4|aPep(t*WGZD`whRe#WKrpOeww^A5*|8>ZEI3iJG3d@;ddSaaQQiv*3SWXm^*Pk(vkYVP=SQ%7gX+6s4|5yBQ}3^T_6XQ zZDbP)D!Ze~6zXIkQ9PYpWTZE?jfD>%Y1@{Swk5itNez`{Q)G&e7J>b9cP_BngG&!t zi|rp2nJV;T^4jymwofAMkUFri0;>ZDmaq-jpk-+0DUxkA;uk8$FcGE_?o$8&002ov JPDHLkV1i%8-68-0 diff --git a/core/img/filetypes/spreadsheet.png b/core/img/filetypes/spreadsheet.png deleted file mode 100644 index abcd93689a08ec9bdbf0984927e8da06c043c7cd..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 566 zcmV-60?GY}P)>q?GuNnCdgP^*Bj5V_b?dAq2Ppn9^MBB^YUM zad0N-T{Ujg*A6d~mYV4na=hT4Nz+_}SGTgW|Iir!%$ z;@OGkWI6+j0H}~K4RYR%!7y|zM`O@*K>rL{*&}x3lR**HrMXC1->#slU>X|w!U1xQ zqcmiGvd%360=)b7gRlP?JPp4u-rPlgT-QpKPrw+s2_Y2Fl6Pf3WLrIvfJl`5 zRzR7_7k?Q605MS|LOp)*^z@V<2h(HGDZ1S*OG`^!US1}5_V=et z$gY4fh#8W|FyGtT17LM^H8)s%-fFc*@rL(BB)19^Dj?AhWmNzm2m*S&9-ikBh9T8z zm0qt$wOVB`7~uOp{eGW?g#|V@H^+z+SAa+dVn7hm_u>l7f^-FpF~tOssQ(cGTLUp- zEu>Me*SWg7qSb1#yu6%Cq>zA^h=iDE8qz2d)I6|#K!h+H5>b;YkVO%>@?$6?5oQTY z(?F45%K751QME>@jS&+cX*tI-L%cN(IMp5-ZkP)9G|9D?T_l7$Z_lAn^f-Us0K0Yinz{ z!Q%5tR$Yof;({iAw>1FMji}jd&TmA9krQSwZf|cV&q^s)R#wLDDy3*Pn`o`AgymZh zi!cNf7$fLm546@+!YtymJObr*0a5>rkz@?xQ0;abC?3O&jSXtGnnfTFIT|pdWt1T> z%Pz>PK&dgz6JfRjzVG9@F0SiZ<`ctl9CmkiClZ=YARG}eBFPxex((Aw%WJ?yNh2Q^ z7um_l2{5X_U@)Lot8smO4UCWG`uaLS5EPP}unmX1fJlt7_zw>c3j>aY%2c2f0U@;w ziN!Nh-a;}{324l1)l)PoE-0uiF5+PKZdT;=-y)!t(tkYv>&^GKudC4ky!`O_lWjNi z;o{=rqf$zXNWw;?OQRwit7nPbA#Q;yNhMX2dh>tbC$HZGw2l#K7ytkO07*qoM6N<$ Ef*p~X2LJ#7 literal 0 HcmV?d00001 diff --git a/core/img/filetypes/x-office-document.svg b/core/img/filetypes/x-office-document.svg new file mode 100644 index 00000000000..fc51a3a1b70 --- /dev/null +++ b/core/img/filetypes/x-office-document.svg @@ -0,0 +1,60 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + + + + + + + + + + + diff --git a/core/img/filetypes/x-office-presentation.png b/core/img/filetypes/x-office-presentation.png new file mode 100644 index 0000000000000000000000000000000000000000..7ee552ba7c80dd6f285a4acd5b4a2cba62c140a9 GIT binary patch literal 1102 zcmV-U1hM;xP)Qxt zIoI6sH*(A|w~$-NDSsmOL^mA`29X?eG6WVRw3Y)=meuZPrmJ$8kL-A7t+gX1FEq^b zba%Z~^;Y$Wnel%jsG5B7;>A~H*1AhWA~HNUIQV`c0;;;Yx3_nf_BlO0U9BWGor34j zpZ^53fe*tlL_~^j)9a?^ONWWfIQQKlB7>(-pLPNO8xOta7hfYwbr8Y* zdB&5EpWG{f{&6FKfgIw1?L>9S|(tsNJaoxP2lkGu=H+b#a#aU=G;7#BM_$%FjWx1>03Ad zTbS9r6gWUY-j9H)G8&B-jYh;memVxw*LkpwsCv7z}7O zn>gpVzP@H}Z;vR7<{A&fkfo)i8Sg8rz*Ipqk&xzSXJ@ChaeaM#=Ac~di+Z2$n{7l+ ziwMBtW$1YxNs?54>-YPW=Y(Ncj=)WlG7`-fFHT^d_#hQv6&j63wFb;7X*xa3jDEjg zXrSBea&~qGz{7_RxxBn&cXyY1z0P<%UWjat>8eNxxPLTYLfVwf==FM~jnkS~Sy{o% z2*VKH_bYQNtIxZSYb{UOMy2%?Rgm`q0e$<=#M_W0$=tq>V7m@@N1d=?~d|0Rtj48_E0T`mW&JzT|%KHy*eN U6^wJ6Q2+n{07*qoM6N<$f>r1Fg#Z8m literal 0 HcmV?d00001 diff --git a/core/img/filetypes/x-office-presentation.svg b/core/img/filetypes/x-office-presentation.svg new file mode 100644 index 00000000000..821798d50fd --- /dev/null +++ b/core/img/filetypes/x-office-presentation.svg @@ -0,0 +1,109 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/core/img/filetypes/x-office-spreadsheet.png b/core/img/filetypes/x-office-spreadsheet.png new file mode 100644 index 0000000000000000000000000000000000000000..dfdc74a8bf660ebd02baa99b0cf40d48478dd032 GIT binary patch literal 789 zcmV+w1M2*VP)P0b9sfl_KZH0<@@E7Fh&3_?( zfQKACgb;G@WITBBAk^FoT146sajCJ`YNgNwo0g<)5>VTK6%&$>Zf88yPG&aAW|K?> zzsr7a=J9=RzPCF|7-JB_FpM9JF%OO)2qD{kzyGwjrdvsrQjg#7ho)&tn^Q_*7)Hy% zS_Cl0P_Nfvnx;|#x~{`IZ2)LFCS$BEanR^gx9tRuLPSpj#AhfJa@?fapm4k7p+=+8 zmfBqfSk(rC4*>uZPaff3-~nIHZx!M7jc}YwXD~K;@oybq=EYO#Kz$1+*BU(kS+4Q? zTWJ?VCr)x)sWqg1@zeten0)q_=ZlliCH`W1j_0My9)1Z}nSk;80RX`As|kd|VZQ$U z(+ck1xY7|vB9ZU|LN*myKq>7mpxp$vvN-_2F#yTWDZaj%D_ATjbhKcg&v4l51psUpmZT8_u*J#5 z>#nsOO`xL%V76G~5A+!pH#PwPZUD)prUjW?QQ}##G69~EgFjyR`!a4_y)2Mni|60I zQFRefX}{U;A6QUrQ0(Rl006VHhYw%UoV&ImkKBr@4LZ00w@bs&@EHKWerW|a$1e$F z*y4}xrvFn5S|T;e(^xDfZ7moxJg+vWgq_sxI)Pv?*s-9KP-20K=t+RC>u|YTN(CJL zLI?qH+$v0Am;in=p(#=Ab+7RUMcLHz T8ak$900000NkvXXu0mjf5vx}z literal 0 HcmV?d00001 diff --git a/core/img/filetypes/x-office-spreadsheet.svg b/core/img/filetypes/x-office-spreadsheet.svg new file mode 100644 index 00000000000..af40bb252a2 --- /dev/null +++ b/core/img/filetypes/x-office-spreadsheet.svg @@ -0,0 +1,64 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + + + + + + + + + + + + + + + + + + + + + -- GitLab From 14003b6d96396517875e39f46cd004ac867315bc Mon Sep 17 00:00:00 2001 From: Jan-Christoph Borchardt Date: Wed, 14 Aug 2013 13:00:13 +0200 Subject: [PATCH 218/415] replace different icons for code with proper ones --- core/img/filetypes/application-sgf.png | Bin 702 -> 0 bytes core/img/filetypes/code-script.png | Bin 859 -> 0 bytes core/img/filetypes/model.png | Bin 452 -> 0 bytes core/img/filetypes/readme-2.txt | 28 ------ core/img/filetypes/readme.txt | 22 ----- core/img/filetypes/ruby.png | Bin 626 -> 0 bytes .../img/filetypes/{code.png => text-code.png} | Bin .../img/filetypes/{code.svg => text-code.svg} | 0 core/img/filetypes/text-css.png | Bin 524 -> 0 bytes core/img/filetypes/text-x-c++.png | Bin 621 -> 0 bytes core/img/filetypes/text-x-c.png | Bin 587 -> 1345 bytes core/img/filetypes/text-x-c.svg | 75 +++++++++++++++ core/img/filetypes/text-x-csharp.png | Bin 700 -> 0 bytes core/img/filetypes/text-x-h.png | Bin 603 -> 1242 bytes core/img/filetypes/text-x-h.svg | 79 ++++++++++++++++ core/img/filetypes/text-x-javascript.png | Bin 0 -> 1340 bytes core/img/filetypes/text-x-javascript.svg | 76 +++++++++++++++ core/img/filetypes/text-x-php.png | Bin 538 -> 0 bytes core/img/filetypes/text-x-python.png | Bin 0 -> 1469 bytes core/img/filetypes/text-x-python.svg | 87 ++++++++++++++++++ 20 files changed, 317 insertions(+), 50 deletions(-) delete mode 100644 core/img/filetypes/application-sgf.png delete mode 100644 core/img/filetypes/code-script.png delete mode 100644 core/img/filetypes/model.png delete mode 100644 core/img/filetypes/readme-2.txt delete mode 100644 core/img/filetypes/readme.txt delete mode 100644 core/img/filetypes/ruby.png rename core/img/filetypes/{code.png => text-code.png} (100%) rename core/img/filetypes/{code.svg => text-code.svg} (100%) delete mode 100644 core/img/filetypes/text-css.png delete mode 100644 core/img/filetypes/text-x-c++.png create mode 100644 core/img/filetypes/text-x-c.svg delete mode 100644 core/img/filetypes/text-x-csharp.png create mode 100644 core/img/filetypes/text-x-h.svg create mode 100644 core/img/filetypes/text-x-javascript.png create mode 100644 core/img/filetypes/text-x-javascript.svg delete mode 100644 core/img/filetypes/text-x-php.png create mode 100644 core/img/filetypes/text-x-python.png create mode 100644 core/img/filetypes/text-x-python.svg diff --git a/core/img/filetypes/application-sgf.png b/core/img/filetypes/application-sgf.png deleted file mode 100644 index 48996c54394314e0f78157c6b06e472d90ce6038..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 702 zcmV;v0zv(WP)Px#24YJ`L;(K){{a7>y{D4^000SaNLh0L01FcU01FcV0GgZ_00007bV*G`2iyY| z5)UXgb;nEq00KTqL_t(2&tv#cB49w~teF~JmE#%iZ)0PjXKSGo>}6b;>9~1jBo+;q z_q23X2Kss0Sz4HxnwaS8>uYLiDk&+-%SqdttM*m7qiFc?<#l7RpPRES5ZK$>+uGV$ zSXdYu8mgu| zHU(+eI3wEK$->go5~#t?%j=}3?i+d4*D%y2uLRM+!op&0EPHu(Bg4FoU=w3~Gcz-L zdj~I9x0C8RZ{$?qs7p>!TwI)&hZm?pMuKne!Wf3uVs}kV4FdxMkR^6@C)Bi%HFU_x zi-?GDad9y-GxPIuEbj6L+7P6pr3ws0kRB70qbeH68rq~}`T6}=NWn}@X=H_H8OR&zw}9d#LDAt9i1#l*x!MMZ^# zgn%K#$;k=yD^N8HGn1vE%(mGPh@?@KVXG)B!p+Ua4a8hr92}gitgOt;OhDB@QdeDU zT7xHQTH4*%kZZ52CJu}spc{aSn3xz@SeW>D*zL{aXEb?XPpuoLhn1&V`8uiTYlxfc kNr!oAwG}x6Lk3w50DkN_x`QMu@&Et;07*qoM6N<$f??@ABme*a diff --git a/core/img/filetypes/code-script.png b/core/img/filetypes/code-script.png deleted file mode 100644 index 63fe6ceff5bfcedb9670279d4bb8d25807f6ecee..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 859 zcmV-h1El5>jf6w4x#gTU%_MMNlkNp$oSbvBp&uHw9M;u0-4@=t5BI zP6Hx#-C_{5RMJ z0_P+Xkumexn8%)S+Y)#l(gR;YJP<6#1-=jjK0LONWPdJQIR8uK1HpvVIxBIQ2ztt+ zqoEx_X9S%QGMe=~(k#sebCL-an)%CR%a7YtUOQUgv+G>~?N~XSWhx=? z@$fx}0MB;$`JWcQ-Re{XV~5|{DvU(#*+NF*g)j^qk#b~G9_O!i*y&mZVZ=a3;Go(K z`DkskYn56Nhu+k@1Ke*uY|x zI&k6j$JfNe_a{GH%=n2rZOz$Z8R9V?Pe36hIk}jo+A-`;dt9vyvBu#Xm@veu&@v`| zzt%mwc_$nd0-sMVx2d)b0!MqGxmfCumx7yB#nIUWvA{!HOMfslMyW1iV&nY>zxwyj z8^JfLN|kT z4m^Q1mhO(_r4w@`V?H=YNkOf(i&bHT3Auc3bryK1_{hDSetLoLN{VLB^78ULiNFy^ zkUqqG$fjVkJj5tfWkOn|P5`HVEp5@-mGnc0wvJGHC=+39MC2TWT#i?t*~fNch*he_ zgtS^8dH$(KlW)EF1b4Fzv~?&0IQaNdg;W5&{t&Bmg9&N1-rBBr_;Rg8ekw^mn;@T# zlS{|Rq+-Nlg18i%UY;i|q1NnSwf>I@85#4U4002ovPDHLkV1mEDi4_0< diff --git a/core/img/filetypes/model.png b/core/img/filetypes/model.png deleted file mode 100644 index 7851cf34c946e5667221e3478668503eb1cd733f..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 452 zcmV;#0XzPQP)Pdwe5?6tW?r-ok|b$oDQj8FV%kZPq;(MWOV8?8;<)(iP}>hNMU> z7fbz%jjlr7h8uuoQ~J6}n}@Y@PdTk=)PxO{%7zmL?dchpZX*~n;I{!C>*(8cU;q(~ zAS%Po_@naEU!xidrBXD?;hN|x^%W|Ij)0y*r5vi|?W&Fub(NqJ@z0o=OZS(e|#C2>JN4>y}l*tQ*E7zP@R2CCJnkW?xa6bgk%(hgtZ z0=~d?U3i`+Mvi4!&~+WPT1^NX#{u6&QIx+DE(oR{&T5&-ovF?@wGw)P&AtpHZa|G%V*GUUqL@@!d4V$`8=##4)ytY959JG zdc&Kho)&AL70^i z!PEmeeDWCB-UbK(*4JST44^tV2z_J(dn~+vBMJT97_7rzFio=~XczIv?PQ5$v%u~y zu(bteXb5I1h2zCV{Jc2~V{{yzZipgsP6;k264$*#5q?GzCm|CPa9CKqm4b116h3Pu z?+%Cm52plC8|5P0@igf2GV1KkCfk{Zecu=G@VNrf>s%g9c5D%@cfxVb6$nY`1IW=4 zt10QqSps_2JLp0f3I0j0u>#qA;v!+T))KEbCg|mo3q0pG{OR}p0fPds8+K~d>Hq)$ M07*qoM6N<$g1S2e3jhEB diff --git a/core/img/filetypes/code.png b/core/img/filetypes/text-code.png similarity index 100% rename from core/img/filetypes/code.png rename to core/img/filetypes/text-code.png diff --git a/core/img/filetypes/code.svg b/core/img/filetypes/text-code.svg similarity index 100% rename from core/img/filetypes/code.svg rename to core/img/filetypes/text-code.svg diff --git a/core/img/filetypes/text-css.png b/core/img/filetypes/text-css.png deleted file mode 100644 index 23f3101811f2e402b8c581ba2e39977a675e0295..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 524 zcmV+n0`vWeP)`ZKMgf6%T?Ed*Cat6T(z(gze_Vj!CM zy6@eO?#%UBLOT}?40F9R=iD>%#+We%%UB#s+R_AGvw8Yw4_Zs>2F6fS)&oeXpp>-P z(4Hm2FoZ|N+3e;VNHZ};&)gBvnMk6jHRTlU@9U0$Oo&egxTGs^ATns~z)sFnC~aG*pjzb8G=xt@DLRNB;YZL<4tG!V^NUq+~Mv ztN7=;N57-Juq!r;ZvU(T-}ZaSebaUsBWyIhc|_vmN(Q*NXt96)H+}<~rjsF~CC`eaI+m%Y8jfzomMvZQaNUIT3LIrJ$h)_W{ zwF|LDNlB-g`Hb_G$;>3F$9JF3WYR|3fy2C+_wH}*xp!_4fF2UN4lt#d26oXwru}hT z0+0%Vz-l&|Tdh_L-Ng1G2*RBtBncRx;99K)&+}s0whhxXp{go}$g&Jk6k|vfypI5M z!1sNGVaV?!*L7i87Bo%cfO@?S`bajL{R<($@$|PtgBRcCGIJ_2a|&kO>G-s2aR3E4 zjssoScUa;zIdOeGHBnH13G)W-zt$kUQgNfG;96b=v&4NzRt&@7nN%v3HsG`<<+F$cumMs448N!W3r&2Z*b~D5^$^d6Jxn@SFK5Q8*uKSR7x{I|H-_N1f+AD zSYC5@2K4OKL$==F9U@CH;ONNL(W}oZICHn;d?~pw?GRIsH*x-68Oy6SuK`)`{E)46 z9^3(-HXa#X89SBv?uYTDR$`1BeYL^qy2ooL z9JGg!dj@bE2h%iBN-uI_FQ3~1aAJU;p94sV?vU@Vu~ zzYJVnaJh6}kUe&kYqf-!jn&kMV8u@`g~f@nQ6{h6=G`;>9L_o&0koYco59Oo$S(^a zPW~W&mlF~RTCGOX?B{Cc`@uU0na}7B#zvsJZ4aUE`&24rE}qoU7q1boR#*)bvt>m|>nH9zMx%F>ByuA^xhx~`M51sBF6ZkATK`k=zS2ZDywQ3z};VbDx?c~o&Y zm&URTbX{M!U1gwkQlrrz3_~d zrn#f<$I3v{48y>29BkWWY;25Tu}BaEq|<41T_+4fY}+P|V^XOUuIu8uE&zo>VT0dY z0pxNya=F}=kA{bbw~XziJ>3QSsmBHoLI_RUQk{F2rfCSV^>1|pfDpo%oSd|#r>9H% zP5`W|tXM(_Ln#%n$K0Hjhm_XS002U@Dc}}>|6Bh7M3;GZ2M~JY00000NkvXXu0mjf D!8m^? literal 587 zcmV-R0<`^!P)~7 zMNw2LQirBVQoa8G3P(rY+l;L4iy+JwSqmy$9JlSkk z&*$^Eg+c)@!R|v4gdc8+TTn&eWHO0VD&>$!B%o;;WLf4CNs=Inq9d`xA4otCWHK38 zmc{pkX`0Y=9g3oGK{}lVy~OYL|C5lQ&U^l;wrg|7w=BcA9L4-r411?K7f`@348&rw zXD#uW)DK;H`hxO}u%=@Cj{;#u#_;bb1_KgUOT2Hp6;)MvC6P$vQP3=g1O5#aU%I!K zZ1dc@f}YvG&*Spnplm2rIp^VdA^HydZ0X1axdms2!RKi5x-SFA4p@ zC@N|PI$ryHL@t-(!zBsf2-+sYAukhDHU + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + + + + + + + + + + + + + + diff --git a/core/img/filetypes/text-x-csharp.png b/core/img/filetypes/text-x-csharp.png deleted file mode 100644 index ffb8fc932f321d19049a51e0134459e7d6549226..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 700 zcmV;t0z>_YP)WjsQrp;}0X?Bxrvf12IKW8>3t`e~W9|JS<{btTNbNT@EQIWBSNJTX8AMGXD z-SsH|s#>j9Xf~VMtyT-YMD}5^SWHTY5->o`k|d#AE_YQd79j`%GMS7FNvG3b7^Vy9 zn0HYCJy5MyQLoqKnW|JOp-?D*<2V^msZ>BOv0ANd2n7t@{=V;sZrQ>3c})5_%ms4z z7!qXwHHe~!QFj8aR~&*-3F?O|;#(ESIXP~Os%|~y^7c15*q5`gz2-5ol!fU92NIGT z_ves+>+Tf3gfcL?!nimYmR}cw*|BGULzI^7!;k#3K^YO#;!+vM@N~(99+<;fdqr zYPJm+pXYFYk;neQyXXEcTQDNQx57i`Okp9A#n?<7!{#tnKJdsF>utb@JH7dU01gfL zEK2hoPZAnO5+je3&^i*hWM`qCW^vLK!O*?U-#IvXV?#6koWqrwnD{j&K`7N>^tR3G z8zr1(qVOzcF#nF1&0MZ5C$l8*E^Uth0000oEl%}ChsqGN2zjk+KUJi~^*G_Eb zqx_^f?Cgx+XMXQH?^=ln!@7U}esyVS$>kMjcXwA`zkai?o@;Q& zaR|fk+35TjK)2hC<2Yv2nX^hMMYr3Hrvg}O5s`BT82t8BfMEqeKpe*?rEnaFIF9i= z4{Pn=^FYO7@l;S_0E5#HkK^WtU7E$Qqt;9W2!enh2uLQASZnb-52X}R{TtcdB8noC z`30h@*QnR)l*?sux!m~y3`Q7+q|<3SoeluG@4usX^&-km@cf6Lx%AcDnVdK=KsKAj z_kEyW#p!gKLZQGj$HCK02sQZ0nG5#R4vfCDq7ZGs7>u4R|HlD1$1NHJGsd8lLTinP zP^;C5wLxNojSa?_K2#Xe-Ppji+Y<|UssodN2C^0;Hi#9hwmkjv4))15e##{ZV@&!2 z%b$FPyRb0Tl_MP(j8>~fqtRf0f1gI9aX5NWjEx0}4TvSxsIq)waVt^CRQyrKH zAR<&M6;@YQDV0h?0CG?RioKSmaPuYt{iVLFiloKj0FKB3Y@-?!a)rgixtIa#!u`( ztJPxfuSYolHsR7T%WqyKm&*}pi&z0`h+|E?UZ>q|(|oeSoDswdVg!-#zA~z@8W>*O z{N-0tKmNqZ&L-ivcS%O^K_?W%^dXEL?vMf^h^3!`DfvGVV0c6Kx8GS^NRixFV|j6o zy@!7yBB+GhKcy9LToxA>DHe;&&*w1$VlCE4KUHVB1@0S{*nPB(brL*%yi0m@1rb4O z3$6!#3S%stPKPLp==ORT3r;2jPNIKXP6{yGh?Z}EOzqm+Jd7@o`REqCT$Wm`M(*8r zc+h}9YG9YjBoYaXF{GE5s3+%muEuj@7ABFzMc&Rx<-ArIh0w*`LlN$8k_fsfhqeDfiyJd zwZ^#<0QGu3sg!a>L?6Z+wdH^^`6>W_NJavV0sPHyRc>}g~)F_Qn`A>)C_iwK%Z zrIJ;xR)UI1Y4Ozts|-Nho;q zVk9-bX)%F~!;63iu$Fk=VJn3~fmb5S@@)ZqjBT2{f`vT`b2}zxb0$o;EF@G3&BHK^ zc)`1kUzo^Qkk$?KFKHNBD?nP-MJ3b@&4fg;g5l2wMi^g?9qj+~@b;62o_U1_S1J`g z7m^UMg25FX1MJ5AQxAJ5F5WDt=$=-@JV-!LHA2vuxl9kN>PS8x??^AINH6LjF*#nbk4}=n3gfWp$kEX5IpHS zYiQ{@d7Nl&d$#+7-TckP&Q}N91e- + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + + + + + + + + + + + + + + diff --git a/core/img/filetypes/text-x-javascript.png b/core/img/filetypes/text-x-javascript.png new file mode 100644 index 0000000000000000000000000000000000000000..24d09ce978181c4b08b67c879553a75fc3c1e97a GIT binary patch literal 1340 zcmV-C1;hG@P)K~z|Uy_QdiWLFi3zjN!pSM^?XO?7peuI|xj!#L*OB48Hd zgb@N+L>z;lVpdsXlYs=>NJ16~WRpc88zltXh-N^A0T&Vwhk&?o5*LFeGKxWDLWk<< zbWhLBtE%^2y?gJ;qNgjB{+I4@;t$@UZe7m#-tV4s?h{pIQkO1W>MbrVTD}0SuCBV% zr%x|UuI)2zdiX=y%$a7U9HV<^k=+RpV|0C}EQRaLRmng3NHLZ0W<=K_QfP}MsQ zupRqz0Vb7Y8C6vwA{b++s){Iz2qBDrZ)<*jek!P40NZar`Runo>C#~w+iTB(09lri zWf^fCBOhMDhKfP}TPJ+w0rEU2NfOGkWMgB4rKKfWt=63b*nY~gWZ~Ukv+&@(fUth~ z16tpB9cg^|P)Vi+Xf~VF>vaHXQH?bJHwe^XyHy8AEYztT0MHOn??42+nW|F`4KNAf zy~kRMh5*ikKnS(Z0QmKf$S?i^>2FYrB7*mL=dfS@CiPR_#Was0B8LOmAIO8NKm-lZ z`2XtaKdJukQ;wgQCt8TWSiqv%VA%f~y*K_y=eb|)8~?x~==b|%Sw^GLpyfR3JtBg4 zj+K=a3N_6B{x$A7;gR+CDa;(3n}V%Dns_vLqI=Km*|z%vOisdXw@bI%1)y(g;1w0c zh~fD0PvGqduTs@m|^7+~oT8 z>-a~X;=`iL+O3p8jBx`Nk7eAQUSs&n7brite4qn+0_-IXihA9G2ormvI`YJej2?NG z|E$fh)^DO3Vai+FJ?|L&?q>(aK2#SZNy3bC<0A;ck!2ZWHiW8#sLr7EC5p$Nr|A8Q z!8^a@tDQPj1(ulLMo3gY{2bVG8Y&Y-7#Ni$ach?7=RZc~76|v8LgtrAXXo%vw;T(K zcL9vu*VzLdXt&$6TCJ_tlurRfg@uJKA#T9jEX&=J;mX_OS1qE@o>R0MQPL!|7pL!n zqA2j* + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + + + + + + + + + + + + + diff --git a/core/img/filetypes/text-x-php.png b/core/img/filetypes/text-x-php.png deleted file mode 100644 index 7868a25945cd5e5cb7daaca9591927511ca65c0f..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 538 zcmV+#0_FXQP)vYep8SaFV10Q$h+;hIUPX_=v5b}%>Tm<(&j1&5;I!55C)oN0s(P%ZB zP3Q#ahfpXKWF@S?jm4U#fv)QovMhrriclyNs6-G12#3R##4PSZ0VY(dRWJ;Lwuq{# zAW0Gwi$yA^R4RZ!;W+L`f&%x{=D^VK#BBWL4Ys{;*!A7Q;!=dN<&D8*GzGaF4`hV4 zDbY0{NrMX>ZqF=0((gR5-zL$kC*b)!fwu{Euru|XrG<$^n#@)7i_>rCmRxnDq>$Y%gJaCkRd|tE*a2x05Pe!I^e13o69#&RQZ36s0 zB=O|K2Yi(jsMqThn}9t?f5E-)L^naZ+db$&%M$!bCdm=jv7?t_lB?3&%Ltq(>ESw? c;MI421LCcoDG!2@;{X5v07*qoM6N<$f`UZt7XSbN diff --git a/core/img/filetypes/text-x-python.png b/core/img/filetypes/text-x-python.png new file mode 100644 index 0000000000000000000000000000000000000000..57148f4b90d401b26b324d3eaf530f11032b4726 GIT binary patch literal 1469 zcmV;u1w#6XP)+$HVFbF zIXI^lD9}rTTyjfu=%MH#*ZcuSkbj_eUvmx66gdWPQ6oTtByx}-zvLgHEK(B197S^Xd-*|GZt2$I9M?|tUY%$r9gBJ9S}$05ry3WWmJ+VS_1W@l#~3F;8QX!d(w)5iB^=_DDOWHS}O41Q*Cf0aQT@6K8r z+|mMxTN>LXNkXYqLTgR8+ojcNQLR=V55VxN_c;6XpP&Yy0819HkVYM{xJ&Wk-*KN> zK2eZI0to8Arc%z4v<*%HrCcbNQ0{YBw@GjHL$dOVc+Jg&S?QcH9&ioeT&pa}KGtJ0kG2{sdY_H#CqxdFw?uXpH^#!7QZ1fe? zGfSl1&!%qBNgMgt42)#61Tis6ffWZSUm!1EVEE(vm{j8`ji(aq&Mj>HGGfi{jDk}r zH~62QWE~NUI0~#*#{!H`L7st45#?g7Wpi^AfSI92tOb>0^8vlBA>Qg=n1B8)AZP2= z=Tv_80RU;|KX{#gQapW;WaCSM=yV8Ik6waNCBzEY9IU~0Jf2=W#bWRcq1VTC6^KPg z17;Rq!>^trEZin6tfJCQ#2Q3|?B2hq*CCXzv1yNC_)2^*-o!m1B3KcS98gqd&tty( zfV%rFXPYL#^B)~=6e700wch;O7zzSk> zB<;|sWwaJT%I-Q!-zGOctKa@WVfnA1JPNI=Y;SY`MOZD9-uncTY~Tkjl1B`71~|>D z4|fd3vbzKVNk1Y^16ym@kM@QVub^VjJ1r<@9Xketm< zOz^@Vke?3S#*+bd-|a4d^0@oc8ur{fRDX4mQt1qNKSJ_+-*dszn{@B~gXVmNg6A;2 z{W0a`8N^!B)TI>E5otd}28@6;pukwz&`q4INVN!26p^MWTI=z1gJMYOevjr{nQGM` z8Em0!K(CkMF8qG#6@O?Cj3BHCVl%|%SfdETkT49#j7#Qr7XotQ8z(44Cy zSh`(Ju<-iSJ7Rh%HiDQOziE?-Rrttha#5GCG|Oz!=2${e4+*T^H&vG3ec-QVQsH4b{t6_8jdKv}7aW z`m5K7q6n=uYR@$3Yk{}VXCx2e8Inpz1bU8Q-Rv$V8?=Xu0&jOTfX z2+rU(&n`E)^vo>Pz+t23(pA6VhdWzSd&py#Kt!0En`3Tn?$Gb8*1kVC^fu;MYk!C1 z6^RBz+*6l0_uAWlnz(Ey1~{o|FT6w6Ujr|oUY>p62Vj5Kd?Em)lyaPj_2~#X1og$E zEgT1>)X@!zQp&r2{kp%hvaw4=DX70RW_OAmAZ@|F`}N XL~gkR_@Yae00000NkvXXu0mjf_qV%N literal 0 HcmV?d00001 diff --git a/core/img/filetypes/text-x-python.svg b/core/img/filetypes/text-x-python.svg new file mode 100644 index 00000000000..00755e6d0c2 --- /dev/null +++ b/core/img/filetypes/text-x-python.svg @@ -0,0 +1,87 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + + + + + + + + + + + + + + + + -- GitLab From 4f525c864df7eb6caf1bc945c3c9e48b20bcce5e Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 14 Aug 2013 13:25:07 +0200 Subject: [PATCH 219/415] lazy load preview icons --- apps/files/js/filelist.js | 2 +- apps/files/js/files.js | 20 ++++++++++++++------ 2 files changed, 15 insertions(+), 7 deletions(-) diff --git a/apps/files/js/filelist.js b/apps/files/js/filelist.js index 288648693be..138329940b4 100644 --- a/apps/files/js/filelist.js +++ b/apps/files/js/filelist.js @@ -186,7 +186,7 @@ var FileList={ tr.attr('data-id', id); } var path = $('#dir').val()+'/'+name; - getPreviewIcon(path, function(previewpath){ + lazyLoadPreview(path, mime, function(previewpath){ tr.find('td.filename').attr('style','background-image:url('+previewpath+')'); }); tr.find('td.filename').draggable(dragOptions); diff --git a/apps/files/js/files.js b/apps/files/js/files.js index 180c23cbfa4..7b01a5202da 100644 --- a/apps/files/js/files.js +++ b/apps/files/js/files.js @@ -366,8 +366,8 @@ $(document).ready(function() { var tr=$('tr').filterAttr('data-file',name); tr.attr('data-mime',result.data.mime); tr.attr('data-id', result.data.id); - var path = $('#dir').val()+'/'+name; - getPreviewIcon(path, function(previewpath){ + var path = $('#dir').val() + '/' + name; + lazyLoadPreview(path, result.data.mime, function(previewpath){ tr.find('td.filename').attr('style','background-image:url('+previewpath+')'); }); } else { @@ -432,7 +432,7 @@ $(document).ready(function() { tr.data('mime',mime).data('id',id); tr.attr('data-id', id); var path = $('#dir').val()+'/'+localName; - getPreviewIcon(path, function(previewpath){ + lazyLoadPreview(path, mime, function(previewpath){ tr.find('td.filename').attr('style','background-image:url('+previewpath+')'); }); }); @@ -639,7 +639,7 @@ var createDragShadow = function(event){ newtr.find('td.filename').attr('style','background-image:url('+OC.imagePath('core', 'filetypes/folder.png')+')'); } else { var path = $('#dir').val()+'/'+elem.name; - getPreviewIcon(path, function(previewpath){ + lazyLoadPreview(path, elem.mime, function(previewpath){ newtr.find('td.filename').attr('style','background-image:url('+previewpath+')'); }); } @@ -824,10 +824,18 @@ function getMimeIcon(mime, ready){ } getMimeIcon.cache={}; -function getPreviewIcon(path, ready){ +function lazyLoadPreview(path, mime, ready) { + getMimeIcon(mime,ready); var x = $('#filestable').data('preview-x'); var y = $('#filestable').data('preview-y'); - ready(OC.Router.generate('core_ajax_preview', {file: encodeURIComponent(path), x:x, y:y})); + var previewURL = OC.Router.generate('core_ajax_preview', {file: encodeURIComponent(path), x:x, y:y}); + $.ajax({ + url: previewURL, + type: 'GET', + success: function() { + ready(previewURL); + } + }); } function getUniqueName(name){ -- GitLab From 79a5e2a4cced4787635632f3857fe1d88cf64c71 Mon Sep 17 00:00:00 2001 From: Jan-Christoph Borchardt Date: Wed, 14 Aug 2013 13:45:20 +0200 Subject: [PATCH 220/415] adjustments of video and web icon --- core/img/filetypes/link.png | Bin 850 -> 0 bytes core/img/filetypes/link.svg | 12 --- core/img/filetypes/video.png | Bin 1809 -> 1362 bytes core/img/filetypes/video.svg | 110 ++++++++++++--------- core/img/filetypes/web.png | Bin 0 -> 2284 bytes core/img/filetypes/web.svg | 47 +++++++++ core/img/web.png | Bin 4472 -> 0 bytes core/img/web.svg | 183 ----------------------------------- 8 files changed, 109 insertions(+), 243 deletions(-) delete mode 100644 core/img/filetypes/link.png delete mode 100644 core/img/filetypes/link.svg create mode 100644 core/img/filetypes/web.png create mode 100644 core/img/filetypes/web.svg delete mode 100644 core/img/web.png delete mode 100644 core/img/web.svg diff --git a/core/img/filetypes/link.png b/core/img/filetypes/link.png deleted file mode 100644 index 0e021d89f82366fecbb4896e852b958053125a16..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 850 zcmV-Y1FigtP)v1 zer!LTi9pAG#pjrh?{FhxjPxWRl6OY=245t7n{gKhu^~q3Rw807@$JKp5i2XAD(sIE zz@IZd0hh5n*1t~tSCxF{;rEC+YdUfQS_#-SEK2$oVk@@cZ)}h4!#EMY`2&kfn5*y@ zty%$bwRgz>!HQD<9{hwa@fufSB#KfNoXHGqXY8A(6EKy4tjmD(;iLF|v}Q3*R;;bl zn92&kPzur|J=fuOjex@y-+deVhdOQPRy?jj2_cNfd0t)P_OPOTbQV{l?n+$*v{(Lq z?X;{KdB^TzX$E79b~aqeO~K6)NI$;9ZY;sM2E?h2S4=|-H**4>lmHgsqU!y>&Yojo zg@E7iB)102#M3vmmE)Nk9}VKjuWK7{Z?2;qDP;REczXEV5}HlmV! zpZIMu^So$k!?>=r5!G$QsjV#e_2U4Z_8{Pw_{?v`nZqcxjTI@iRQq1=e-A>c52MU+ z+_AG=&W6nm$?K2f2sUWug`{IUYXt0VK;G;^5&=idzIZ;yvW)K<-FM37SF)0bawHBV z{R7w+g>@Twmb_L#G9Brfc#gx`7tQ-k<~$en#sW&&QI(=OYy4vpB0;0_K7P%567W9C coc|ra1xC@JLcf37!~g&Q07*qoM6N<$f<=LeVgLXD diff --git a/core/img/filetypes/link.svg b/core/img/filetypes/link.svg deleted file mode 100644 index b25013414ba..00000000000 --- a/core/img/filetypes/link.svg +++ /dev/null @@ -1,12 +0,0 @@ - - - - - image/svg+xml - - - - - - - diff --git a/core/img/filetypes/video.png b/core/img/filetypes/video.png index 13bf229fc45a63ba5866d77024bda31414aabbaf..045754df26fa90c64237a817fe5a151b1aa18ab7 100644 GIT binary patch delta 1269 zcmVY4+K#`qNunNbm79CAQB>Igt*Wkj8T+vmrUknl1cY;SDoXc`u5yA z?Y%@n;^7wkxYd9C_1Aw+b&HvCJ;Pns(fd>x#4gTQj)xW#l z0RWHF|)i^0LadrJGXiM{P{5HxV*fa0JMMpK~ry# z?9Onza*|y+Zhw?T0*S+dqFWxVTEf)^z1k8s8>CzUU}a@x>u+#-r6&X^%hIXpeVrnd zW%&bu1&z%s)&{ik-~`nAqqYHSLhR!ex@Q*QPNFwqp6Ak~ z+yQ~QuI=#Q!#_CZP*v)>769$Qk@%dc;k-g3bik2B8_*__ur@%q1oLnQ1jgfWxNzY@ zp9KdF97v-FLNr?AK@ACtr2%mgNg0?XmxD&h2l1 z$kxw4aew8DPtm#o0gUZs=#Hv}>lB!WJ0LI`jhw39KXL15G&&Or7#fsz%TpY=gY?!z z?0MiJ#-Du5=GR|>SzHFQNI+wM=}b5ecM^RT6h$%P)}kmn4@6gYcxaNMMad11J;BYd zze|4Sy{OmO78LE4U>@#(K$c}9(P$?`ge=Q?6Mw2#LfBT$%+NH$Egxk0nHM^BJjK|~Nt^4-v>#`uq>C}-Yu#|$BqEn{qU#z>T zXiBfZJlp{R=iH22os0JHAsX=}7e_HKm_XbJdJ2{JhxWC;X|@Req*+t zZ7+i&s0qF!aIIO;npx?+A8a|cdv1y1#+wkPJTNnCRKSP|sDUDcCPJB6=4b18Li{+1 z1Vm&n@c!!R>XXxoOyb9tm7TZ#QLL`6-m~MD2i_Bry=HcK@?|svZU9Cd!~ZG*Pyv_B ftb*>-?0Uvu3+(HXprTa400000NkvXXu0mjf?%Q`2 delta 1720 zcmV;p21ohQ3Xu+wZGQ%iNkl7fM7XGTb?RK|fc|l_Zm=TF_u8|N3n8iXI z!Xeto%bYe@1VWn032CGiNOQ@GBe8(PE*B0tt%Q^tK>>*iD}DkS5;!2C2nQoO#EBf) zAqHc2cXd}+&0*ZVZYMK4H}*-T?y9c$zE|&k^{SdkDe)zRet%K){|5(D062E+*k1<+ z2mcw1#RLElLPC@NSKpWJbneubQo^z*b&p78uBofnCuU^eMj~O05JF@!nT<>)v(7p9T-Sx?c^`XvdRQb9DRR!k9Pqser)IOoB8tJQ+%dGI_B zx~_*)AcWX)`}m-Ku2ZQLMn*;;gh07m#^T~4q?G9G?Zu%(hj94tVa&|TV0n2NLWls| zZ$b!g&Jm4915C9OpcA;;iNV1^3=a?E)vH%{`0ybZV<8Y#RWUR)gfnN(;P&m?SX^8T zIe*}Td!7f^bp!h$5_YfNe~-uG7#bSFlP6E`?Afyru>Z~&!<{>K@ZrM;jEsz6X=w>t zTU*<}g%F{|2HUVR4V@8@QsUI9Q>fKyn46n}>$-4V7mA{QF&6aw_Ta$-R4NsmK7BeE za~vn&LpK)f2JP$%A>g_$_V3@1=g*&q0DmuCx`g53VW_GK+qMHB#uy$wdW3X34aafd zx^A%Qop3@V^gs9tLI~{IwF}W`6y>M~@!G)2B~y|NecnS}h16P%4$6 zX&RErBsMlSLbiPed`#Ls*cnd8anRG#11TkHwOTOl*Nb*##EBCpaPHhWsHzIj^M6pQ z)c^pyckkYo&Thg7B=p(olge-F>+6tGB9Ta7b8{1%^MFtQP$(2|@7_J+^Z6jGd-v`I zfIzo90-evG5cw-^m)jtpwOS3;Y8A<360cvs4nW?%eT%zy?_zm*8QqdfrBJWeQLoo` z1m4C0DJ8bHwotFvgA(fRe?kc6=YQvs&1Nw_KOa=bYuB!A0|o%YFp$k=@%ZuM5LoB4 zla$ma-KS5VV45a4=i72MJ3EU;qk-}9@sNSe=8uh!kE79OV0L!)H}k(E34g6Qj)SSG zDfIRA;mVaO=CxI3(aOT6!x7su#JSj=0K->{`?s?Z{Ebr%nS}3IDr2C zegMGS+#HIi`go#l9wlfOBpZi^a|N z@89duXfz1`j^ork&$A+t$bVO=sv1&C*tWe60Gg(K-L`LX&Nl(*x~?aE+<=7bI&dSO z&!-q;tG*G=`L~?&Z!ODOmr{Z;wwll9Q;y@@=qOkrJHGv-Q($Wno>%Cw_b4U4-5=wLWqB-QmIVm zwac4oRP*DoowxR1fIOk9l1^(^UKLb=%g=JZY#bO~n(=?&$dg#zAl}gVjr9&zJ z*tY#su~__vl+xJF{V|<|((qqh_qFb~gb-pf#(pvk - - - - - - - - - - - - - + + + + - - - - - + + + + + + + - - - + + + + - - - - - - - - - - - - - - + + - + + + - + + + + + + + + + + + + @@ -56,16 +51,35 @@ - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/core/img/filetypes/web.png b/core/img/filetypes/web.png new file mode 100644 index 0000000000000000000000000000000000000000..0868ca52747fcf3617e637c21636e448cc2979c2 GIT binary patch literal 2284 zcmViz=KkA;{%-(Z_~{=W@O1F)mX5Y|-xvl@pP-gV0x1FLUVS|sy~`=s zkc~r1LxW@Ga^=zAZoTu-{|R8zPo7+CrR--rI@?yAn~x00 z)$7O<7GWX@aY9#IAs72W@!a^kI+SPs#htT!#+S(3h2u zJGs=Gu`yl6^g?h1pvd+vMWkJ#=?T*99oS7-0OYh!b?6k9uqnU$S6Z%E&Gy>^ z&q7?wJ!j*s+w%j89e5)mjL~pryoi(xh7!vY_`$OrkKc!o(62C738dRedTaj$)+3Yih+# zWii@-0gRzq3z@7XDH-_>+`i@EC39=en~0?FwjxdE*u)fA0;3I?_C*w~x)wW=#z+lD zf;Jc>5JCVDP8117hv~ZRWqz3ITkvwNjJ*C5V~78Yn`HH0eSw3l?94k{aYCMnPiqFj3Xd7Wz}^wk3q6)0B_@jkq#~lWV56 zZyio1hp_6_3jqj0wsSc_@n0CF0E1QrDJAP~`3$L)#}m))Fp&g{Yf2$=r|_vr-`R0FiL~gBz}d` z(bw_Mo<_%VUK`w8JE@i)oJ=bkkW!K)2~iYr&FWQr?TdGCZQCR|4A9b_Jn;1P(nSCO zTIyF!Si(dBvN~B0qN>|!ltuY!}J+`#P*(DMO}t5hjVzNraIR zwv$FEFkuZH1?VWK9|tvb=+6So=t2nBb)5|xHe6RI6b=jw476B{;x^zl>JCqbw846(ceL)J53USW#MEC=+JKr!})6&V{~JxKHq{|E{E2d zAP6{m^r*jg@7_PgalBtjIpMnQla8j*^-GiIZ=g`QX(j?sgVrf9bVkCv-f0f#ub@=CwfKI1WdSycfUrr&piYzkh$x z^E`qeV9lB}eH%A!yk<_VdI(MZn;bRBVjyfN0BWcAJ-KV_g9Dpt@!0QTQ9hOE@_3@k z6`52LnN*TQl`DxZkH?~X$`aZ?e*Ac}cke6D@7}%p;h~|SU!Oa7PKIGfUteE-*|KF1 zHQwI9CDw$E(csRJGeUtyXtD^UO0lXIeQpIG7ZR#V4nyr?)gWH`{R>+jFvZ`FlfAUjPcu zkC>VBc>oO=Gv~nr0|S|SKL0{fQ`6FNx%}de9Xsxyx%O{-dy6@tdBYO`0000 + + + + + image/svg+xml + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/core/img/web.png b/core/img/web.png deleted file mode 100644 index bdc2f4a84a53f20d2501f8addd72d299b6f098fc..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 4472 zcmai12Q-}P)*iy>y|-YrQAdk1h7lQz&gen}VWN$}V3ZLPAzCC#5{clDq8(jCZxJne z2_b5PIC>4yF6W+m?z!i#`~Tls@Atjm-p{-Dv!AusUh9oDHP)r0=B5S!0Cajt1nT@N zaK0{60?*$@)V$&V0GY7+wQHt&*RBbe`uVuId$|GtDojz9Gd`0RtQxUCs8{T80UO=> zaUV)7&9B$+a2K@$^-^B1>9fCH9+wbafGWr4^H5AKR~49q5|x3+B$}TuF(6@rbU^3O z&-=}ldgk{f3iObn-`f}jMc2qJ=jsBT#mw96_kMmlcPo?4JwQbkd+lVATFArN*zmT^qlUHA3Xdy6h?~YH`~omCg7%*bR8XwSf_#0jGSeR;cLYMnm|fa=G+$rsm1(AYYFmSj5==zC^Ip{Zk4|zRlOblWsbJNIUpww4lyfvl z=a{`#>nOoCb(Pt`%|DYI^E+3p%JQIDUX?13r>{~Pv_MMIA<-6ir$*0E&D=o2Y0harCeJaCV`N6n;~tmV8)1S3LGlDl5FhHM#8Fpx7`+XZ-Xh~vWDo&n0LR)bKHMwBvD;2&rMy8Yb+(W1 z3grgczxehf4iC+Y6GO&s#GABr%qx(-%d9`RaUfdy=F;A23X3chI_oWEDAK7gp8@r? z(%z-Ur4RHvgac>jbMy)WKPh#yS${4mC=sU$>#mk}7}dSc)~m?Y{|&4ZRNc@T|5CUy z5|sG;>hw{gcHk7P_xg3j{j*lJ6|39V^H>OLjC)Po6VaQ-VT%em@f3Tt4f9Jckqf{i zb7<+z5#O@G{1oopAU@)UWxp6gjbEAjtXP>_%@K6QKIpmww*~m(y?7*9&c_B77HR8$ zK2OFj7Ks)(9S;DI2Dw|<;B1Txp)Nk&GETRAoLyz`-q>?A006^7&$r&LI41$Tw-?4A zidP5yj)0!;FU$~-!0!;8r#i^S$W-8(kDsf+6&X1hd5{LRfPetZ@0J@Bh0yuq`1zkY z=r#_Ag+d@fK|wM>3Nk)^Xo#GuswzZQ9wIL#2f;gGA#yUZkUt}zAB3IP2)*X# z>V)(0v+(ip(zu}Jj`8$&al*P@5QIVgj`$-b406HaFT8#)`Xc1t?EfEMoV(kWJv4Bme+)kRIZy1(GhnIyAvzl<#zE=}XPdmuC+9 zvA@#9d<0FBJLZYdFv-2)o}`S{${8ig8?9{g_Uy*E2v2bG6uD2dRW9@2&VK9eO-YU# z$dfJyzNK-nxiv^=?puciqSrHyG*0@a_^w@7#r|mQQ=bWHoCykVQXq9nkQw`Vbo9ZY zE|C2AB>I$KJ+QhEkZnr znIC(5B=g$>t=0`JWXzQH2WNdgC*V-arDR=D0oDD+bDVM{~s7i{8C4xV68 z3~QN@#FD5O+P?;#siu5T!P4}ZaM?i*z@!9c3curi1Sci^*?&I3_9Gp?Ja+dan7Qqj zKl6)nLx_}G8l`b_3v`r`jg^U4{qoo@q^T>%BSEnr?QYAs=MgKx(IFO}QgeC&!JLUu z)bqxkftu0uWvyvmVXJS&QmEEc#ixEreA?3-H<}dDqWvsyx62GwVXKeZe)wV)p z6ny7p>i+$!rg%a{q9lg_lir)-0}jYi(fIJCrit}%HY(a6J(_H$4c!~zib?wQD(3k^ zl`e<+wO5CR-IGyzeh*09rPnNirtDBFJYcN7pTDZ}Cn?)3h9u<>{ag9$(EVw%CYL!a z@pNOj#G@|V@E7;5YSxXgIMZeFL>n}PFRiOtScYi8gOmI`JQ?*q8GIm~SZF9Ci4W3N z^tyLl!Il!2W&Pm&af7cV$R$$9u#UiFaI zvhO7QORM6~e$&~XY4k!Jfp@iwq@ATQW%WOF)A6q#E_d~&D;tFVSl6b=F(n$ME8SnZ zg}T#8alo;pOR93Ue8TSVMk$T$7j&>cc%36FeF6(8T%0Oh7$ zQpu#SX?Vn{z$hkTznf9O7VpuT!dnTv%sksZ%V6al{E9qn=9xHam!fp1s1tyg^B`Wl zW+4RSY@00Xefi7FWLQCiu}qqQrG zMetK@ip6R{qLG-1^Eaktsi8I1PbeJiBQnHH71BuA++*2DSnQ?}ym^%`tuM>Gr8OWg z!X)|E$eYn&6%0Of)zWHttd&sy8vdx7t)WN1WSwsHjER;LUG1~8c|)%A!tWw zr(B_MD?L)f4M?r~SiHkw&9Vy-$CW}Jkkec{_blkW1~0_uOa(u>Ev3kZ-rutKQV z<5;@16H6u7;_?z0^mP+gw-4edjjAzI(3)i1fVRqU>BMQ?+t1uOznTjV(~1)#u`yq; z^2||`mq^nhBU|@+)J*B6pX90bS-&%5x79z1V9* zXqXe@Gu*yzW%uGqe$Rrbi)wN!8Aw1bF)BZW)yG5WLD=)c=J))};FD!bGmBv=RI&v$ zAf~6w$yviuC+4!ULNh5xbmUhqvF3jKBDd={V-P;W;+QWDJk*e`JXkT)@D!(J;uZ{~ z>TZ_kc7_=u^ll=h*Ct2F#G0=oXInY7#Fs6LvT2GPuikjA+2@s6P{UOIMt5#e0;su` zPEnF^SW%;*7L%rX5Aoq^!&VjDZnpx1X*$MS@D35dD&63#+BFE=_8NY~+Cn|JC1&`+ zHf&v`Q|TsGzGufoU$QwT1<_oVMW`s;>^4$7r(gUMBZ(l>Yw&Wf15&f&QJNz29vSmP zBjhdIWHjBY0txjWJ2OLF_Rs9tuP7|m+(q-KewKNvLL@ji3~+i!$UO~i&kcX8so^Hs zEth7f^F>_>6e|Um3*F~jP|^}v)S7=;@<3|@(e=Sod~hqk!^=UBqz4^|AWv-iwwRv3 zu|@Iyr?#AYoA9+m#AWde$y|-3OntA1A@%2MUs|fo#hbd{s z5Shf(OjkWtRJiMXvzBAEZ~?ZC_dbaGaFgD;nMg#V(fPS(HuaND_TN7Bn^U=flg~=# zPI?xr>%mdfSW-|hKZTWyNur?qq;n@M`%8~5BO^BkS%P}C-FbhZ$MF3<8^0^&&h7RO z2J(@;?l;=ZMGY!i$5-%aE5dE{~9|c%-(RHRaLTUP}2ayUNmpp#wN@N zTztP~vym-vS3?*JPDKn5uEDB;9 zEdT;e9k&&`--8sDm5xD z3{})2Z{BulG_b3Uymf_yv|=uVLGNbRWl9n<8{|!6l164w66FXDa#)d@hsS^Cu$~ka zD`{?RJyz%Ut^278I4eFzldAScN!p^~Hw_+qabx6sa{X*z^k=dvCU6M5VRp3bJT|-j z0Mkfbon;$)p; zibBdL*`6e^$>K(TdsHMv*TeWE8%Zh+FRP+^-xEw+8hb|(u~gu>;-ws&E?QAmdR`bp z**-|xwZgW_`2%(E$0yRgq5G@B@AmoN@i9zib3_<4$ReJl>WQ&|#nlWh{1G{%lt0yc z>yB(Tx9m)6n)L_yE94_q3&9GS#poU-vc+dP-)wV)yTS@ZcvUvvm7O}kmwC9j#C^$= zyMzORf@T<|3lER@)B?d_{7|1(#$yAKUs18zFS*`!8!D;d4+K6e+qfJRt$afsvlB;* ziK+C+%PiXDEP$Y6{jG-CU!@HDIoVu#TOuinrs}fJ1S6(3!jJJ|L$3{#NygV!S9>s1 zwE;YtcSeSW=64(&1WEFmTMmKQZ=z8}?7VRuqqmg`Ep`sM7=u{|;aOgF1rA16uIP=k zzsECi4w#Y7Tt3>(${qU=ID_BK2>O(en7GZiIe9J$4Lu)pw{Eo1`p%^>GmJjx2K{V3 zS!bC6o8}!(CmCLPbo}*u*&s_vHm)a+Su$l598%mm`e=v8p9$74-BR_925CZI!e*L+!zc%?$%C>xgzR>~l^kZ0ITNBOoYN3KD`*m8ax2e*m)=v>S zk>m5J+A~3Awy5!YdF6qstvWi1_gtT#s|iQ@zIVe=UTYI?KZb^cOb-M!9Ja->Fz~Bj fZ$jD^##iAE!=tD$;plG{cO5-#V??pm&Aa~qFUaxB diff --git a/core/img/web.svg b/core/img/web.svg deleted file mode 100644 index bc6c6bde650..00000000000 --- a/core/img/web.svg +++ /dev/null @@ -1,183 +0,0 @@ - - - - - - - - image/svg+xml - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -- GitLab From 320bf0e8c1fda9560d2ec6046153eeef59c7da1e Mon Sep 17 00:00:00 2001 From: Jan-Christoph Borchardt Date: Wed, 14 Aug 2013 16:19:02 +0200 Subject: [PATCH 221/415] fix breaking error due to ... a wrong icon link. Seriously? --- apps/files/templates/index.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/apps/files/templates/index.php b/apps/files/templates/index.php index 89604c4fa0b..8598ead2404 100644 --- a/apps/files/templates/index.php +++ b/apps/files/templates/index.php @@ -10,7 +10,7 @@ data-type='file'>

    t('Text file'));?>

  • t('Folder'));?>

  • -
  • t('From link'));?>

  • -- GitLab From a4fc9bbe8cc86da6c8fedfcc3651bf9ab3285beb Mon Sep 17 00:00:00 2001 From: Arthur Schiwon Date: Wed, 14 Aug 2013 16:38:25 +0200 Subject: [PATCH 222/415] LDAP: right align labels on settings page --- apps/user_ldap/css/settings.css | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/apps/user_ldap/css/settings.css b/apps/user_ldap/css/settings.css index 185952e14bb..514e28f3aff 100644 --- a/apps/user_ldap/css/settings.css +++ b/apps/user_ldap/css/settings.css @@ -3,7 +3,9 @@ max-width: 200px; display: inline-block; vertical-align: top; + text-align: right; padding-top: 9px; + padding-right: 5px; } #ldap fieldset input, #ldap fieldset textarea { @@ -11,6 +13,10 @@ display: inline-block; } +#ldap fieldset p input[type=checkbox] { + vertical-align: bottom; +} + .ldapIndent { margin-left: 50px; } -- GitLab From 7b17fd2f172af24e0769ee6a601dd26aeb65ed48 Mon Sep 17 00:00:00 2001 From: Arthur Schiwon Date: Wed, 14 Aug 2013 16:51:38 +0200 Subject: [PATCH 223/415] LDAP: move small info text strings into tooltips --- apps/user_ldap/templates/settings.php | 11 ++++------- 1 file changed, 4 insertions(+), 7 deletions(-) diff --git a/apps/user_ldap/templates/settings.php b/apps/user_ldap/templates/settings.php index 95aa592594b..c051ea5cfe1 100644 --- a/apps/user_ldap/templates/settings.php +++ b/apps/user_ldap/templates/settings.php @@ -51,18 +51,15 @@

    -
    t('use %%uid placeholder, e.g. "uid=%%uid"'));?>

    + title="t('Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action. Example: "uid=%%uid"'));?>" />

    -
    t('without any placeholder, e.g. "objectClass=person".'));?>

    + title="t('Defines the filter to apply, when retrieving users (no placeholders). Example: "objectClass=person"'));?>" />

    -
    t('without any placeholder, e.g. "objectClass=posixGroup".'));?>

    + title="t('Defines the filter to apply, when retrieving groups (no placeholders). Example: "objectClass=posixGroup"'));?>" />

    @@ -75,7 +72,7 @@

    >

    -


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

    +


    t('Directory Settings'));?>

    -- GitLab From 7d0e9cc685821c86d42a48ab7197e969c365a975 Mon Sep 17 00:00:00 2001 From: Bjoern Schiessle Date: Wed, 14 Aug 2013 17:15:01 +0200 Subject: [PATCH 224/415] use __DIR__ instead of realpath --- apps/files_encryption/files/error.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/apps/files_encryption/files/error.php b/apps/files_encryption/files/error.php index afe604f8ecb..2dd27257abe 100644 --- a/apps/files_encryption/files/error.php +++ b/apps/files_encryption/files/error.php @@ -1,6 +1,6 @@ Date: Wed, 14 Aug 2013 17:58:41 +0200 Subject: [PATCH 225/415] use OC files API to create missing directory which should handle special chars in every environment correctly --- apps/files_versions/lib/versions.php | 11 +++++++---- 1 file changed, 7 insertions(+), 4 deletions(-) diff --git a/apps/files_versions/lib/versions.php b/apps/files_versions/lib/versions.php index 70b8f30be5c..b0fde6b559f 100644 --- a/apps/files_versions/lib/versions.php +++ b/apps/files_versions/lib/versions.php @@ -110,10 +110,13 @@ class Storage { } // create all parent folders - $info=pathinfo($filename); - $versionsFolderName=$versions_view->getLocalFolder(''); - if(!file_exists($versionsFolderName.'/'.$info['dirname'])) { - mkdir($versionsFolderName.'/'.$info['dirname'], 0750, true); + $dirname= \OC_Filesystem::normalizePath(pathinfo($filename, PATHINFO_DIRNAME)); + $dirParts = explode('/', $dirname); + foreach ($dirParts as $part) { + $dir = $dir.'/'.$part; + if(!$versions_view->file_exists($dir)) { + $versions_view->mkdir($dir); + } } $versionsSize = self::getVersionsSize($uid); -- GitLab From a255cc60075e9dab831754ff09cb522c37ea421f Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 14 Aug 2013 18:48:30 +0200 Subject: [PATCH 226/415] fix adding preview-icon to clss attribute --- apps/files/templates/part.list.php | 8 ++++++-- 1 file changed, 6 insertions(+), 2 deletions(-) diff --git a/apps/files/templates/part.list.php b/apps/files/templates/part.list.php index ab1b91167db..e3420ca14cb 100644 --- a/apps/files/templates/part.list.php +++ b/apps/files/templates/part.list.php @@ -25,7 +25,11 @@ $totalsize = 0; ?> data-mime="" data-size='' data-permissions=''> + +
    style="background-image:url()" @@ -34,13 +38,13 @@ $totalsize = 0; ?> $relativePath = substr($relativePath, strlen($_['sharingroot'])); ?> - style="background-image:url()" class="preview-icon" + style="background-image:url()" style="background-image:url()" - style="background-image:url()" class="preview-icon" + style="background-image:url()" style="background-image:url()" -- GitLab From cba0f696226d344e5caf25631eefb92213c8b6c2 Mon Sep 17 00:00:00 2001 From: Jan-Christoph Borchardt Date: Wed, 14 Aug 2013 20:41:20 +0200 Subject: [PATCH 227/415] increase row height to 50px, properly position everything, checkboxes, actions etc --- apps/files/css/files.css | 143 ++++++++++++++++++++++------- apps/files/js/filelist.js | 2 +- apps/files/templates/index.php | 25 ++--- apps/files/templates/part.list.php | 5 +- core/css/styles.css | 2 +- 5 files changed, 132 insertions(+), 45 deletions(-) diff --git a/apps/files/css/files.css b/apps/files/css/files.css index c66484db536..de7be0a6a22 100644 --- a/apps/files/css/files.css +++ b/apps/files/css/files.css @@ -64,7 +64,7 @@ #filestable { position: relative; top:37px; width:100%; } tbody tr { background-color: #fff; - height: 44px; + height: 50px; } tbody tr:hover, tbody tr:active { background-color: rgb(240,240,240); @@ -79,8 +79,9 @@ tr:hover span.extension { -ms-filter:"progid:DXImageTransform.Microsoft.Alpha(Op table tr.mouseOver td { background-color:#eee; } table th { height:2em; padding:0 .5em; color:#999; } table th .name { - float: left; - margin-left: 17px; + position: absolute; + left: 55px; + top: 15px; } table th, table td { border-bottom:1px solid #ddd; text-align:left; font-weight:normal; } table td { @@ -89,17 +90,33 @@ table td { background-position: 8px center; background-repeat: no-repeat; } -table th#headerName { width:100em; /* not really sure why this works better than 100% … table styling */ } -table th#headerSize, table td.filesize { min-width:3em; padding:0 1em; text-align:right; } +table th#headerName { + position: relative; + width: 100em; /* not really sure why this works better than 100% … table styling */ + padding: 0; +} +#headerName-container { + position: relative; + height: 50px; +} +table th#headerSize, table td.filesize { + min-width: 3em; + padding: 0 1em; + text-align: right; +} table th#headerDate, table td.date { + -moz-box-sizing: border-box; + box-sizing: border-box; position: relative; min-width: 11em; - padding:0 .1em 0 1em; - text-align:left; + display: block; + height: 51px; } /* Multiselect bar */ -#filestable.multiselect { top:63px; } +#filestable.multiselect { + top: 88px; +} table.multiselect thead { position:fixed; top:82px; z-index:1; -moz-box-sizing: border-box; box-sizing: border-box; left: 0; padding-left: 64px; width:100%; } table.multiselect thead th { background-color: rgba(210,210,210,.7); @@ -107,27 +124,41 @@ table.multiselect thead th { font-weight: bold; border-bottom: 0; } -table.multiselect #headerName { width: 100%; } +table.multiselect #headerName { + position: relative; + width: 100%; +} table td.selection, table th.selection, table td.fileaction { width:2em; text-align:center; } table td.filename a.name { + position:relative; /* Firefox needs to explicitly have this default set … */ + -moz-box-sizing: border-box; box-sizing: border-box; display: block; - height: 44px; + height: 50px; vertical-align: middle; - margin-left: 50px; + padding: 0; } table tr[data-type="dir"] td.filename a.name span.nametext {font-weight:bold; } table td.filename input.filename { width:100%; cursor:text; } table td.filename a, table td.login, table td.logout, table td.download, table td.upload, table td.create, table td.delete { padding:.2em .5em .5em .3em; } table td.filename .nametext, .uploadtext, .modified { float:left; padding:.3em 0; } -.modified { + +#modified { position: absolute; - top: 10px; + top: 15px; +} +.modified { + position: relative; + top: 11px; + left: 5px; } + /* TODO fix usability bug (accidental file/folder selection) */ table td.filename .nametext { position: absolute; - top: 10px; + top: 16px; + left: 55px; + padding: 0; overflow: hidden; text-overflow: ellipsis; max-width: 800px; @@ -135,28 +166,58 @@ table td.filename .nametext { table td.filename .uploadtext { font-weight:normal; margin-left:.5em; } table td.filename form { font-size:.85em; margin-left:3em; margin-right:3em; } + /* File checkboxes */ -#fileList tr td.filename>input[type="checkbox"]:first-child { -ms-filter:"progid:DXImageTransform.Microsoft.Alpha(Opacity=0)"; filter:alpha(opacity=0); opacity:0; float:left; margin:.7em 0 0 1em; /* bigger clickable area doesn’t work in FF width:2.8em; height:2.4em;*/ -webkit-transition:opacity 200ms; -moz-transition:opacity 200ms; -o-transition:opacity 200ms; transition:opacity 200ms; } -#fileList tr td.filename>input[type="checkbox"]:hover:first-child { -ms-filter:"progid:DXImageTransform.Microsoft.Alpha(Opacity=80)"; filter:alpha(opacity=80); opacity:.8; } -/* Always show checkbox when selected */ -#fileList tr td.filename>input[type="checkbox"]:checked:first-child { -ms-filter:"progid:DXImageTransform.Microsoft.Alpha(Opacity=100)"; filter:alpha(opacity=100); opacity:1; } -#fileList tr.selected td.filename>input[type="checkbox"]:first-child { -ms-filter:"progid:DXImageTransform.Microsoft.Alpha(Opacity=100)"; filter:alpha(opacity=100); opacity:1; } +#fileList tr td.filename>input[type="checkbox"]:first-child { + -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=0)"; + filter: alpha(opacity=0); + opacity: 0; + float: left; + margin: 32px 0 0 32px; /* bigger clickable area doesn’t work in FF width:2.8em; height:2.4em;*/ +} +/* Show checkbox when hovering, checked, or selected */ +#fileList tr:hover td.filename>input[type="checkbox"]:first-child, +#fileList tr td.filename>input[type="checkbox"]:checked:first-child, +#fileList tr.selected td.filename>input[type="checkbox"]:first-child { + -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=100)"; + filter: alpha(opacity=100); + opacity: 1; +} +/* Use label to have bigger clickable size for checkbox */ +#fileList tr td.filename>input[type="checkbox"] + label, +#select_all + label { + height: 50px; + position: absolute; + width: 50px; + z-index: 100; +} +#fileList tr td.filename>input[type="checkbox"] + label { + left: 0; +} +#select_all + label { + top: 0; +} +#select_all { + position: absolute; + top: 18px; + left: 18px; +} + #fileList tr td.filename { position:relative; width:100%; -webkit-transition:background-image 500ms; -moz-transition:background-image 500ms; -o-transition:background-image 500ms; transition:background-image 500ms; } -#select_all { float:left; margin:.3em 0.6em 0 .5em; } + #uploadsize-message,#delete-confirm { display:none; } /* File actions */ .fileactions { position: absolute; - top: 13px; + top: 16px; right: 0; font-size: 11px; } -#fileList .name { position:relative; /* Firefox needs to explicitly have this default set … */ } #fileList tr:hover .fileactions { /* background to distinguish when overlaying with file names */ background-color: rgba(240,240,240,0.898); box-shadow: -5px 0 7px rgba(240,240,240,0.898); @@ -166,19 +227,39 @@ table td.filename form { font-size:.85em; margin-left:3em; margin-right:3em; } box-shadow: -5px 0 7px rgba(230,230,230,.9); } #fileList .fileactions a.action img { position:relative; top:.2em; } -#fileList a.action { - display: inline; - margin: -.5em 0; - padding: 16px 8px !important; -} + #fileList img.move2trash { display:inline; margin:-.5em 0; padding:1em .5em 1em .5em !important; float:right; } -a.action.delete { float:right; } +#fileList a.action.delete { + position: absolute; + right: 0; + top: 0; + margin: 0; + padding: 15px 14px 19px !important; +} a.action>img { max-height:16px; max-width:16px; vertical-align:text-bottom; } -.selectedActions { display:none; float:right; } -.selectedActions a { display:inline; margin:-.5em 0; padding:.5em !important; } -.selectedActions a img { position:relative; top:.3em; } + +/* Actions for selected files */ +.selectedActions { + display: none; + position: absolute; + top: -1px; + right: 0; + padding: 15px 8px; +} +.selectedActions a { + display: inline; + padding: 17px 5px; +} +.selectedActions a img { + position:relative; + top:.3em; +} + #fileList a.action { + display: inline; + margin: -.5em 0; + padding: 18px 8px !important; -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=0)"; filter: alpha(opacity=0); opacity: 0; diff --git a/apps/files/js/filelist.js b/apps/files/js/filelist.js index 138329940b4..3a6b118ec9c 100644 --- a/apps/files/js/filelist.js +++ b/apps/files/js/filelist.js @@ -17,7 +17,7 @@ var FileList={ "class": "filename", "style": 'background-image:url('+iconurl+')' }); - td.append(''); + td.append(''); var link_elem = $('').attr({ "class": "name", "href": linktarget diff --git a/apps/files/templates/index.php b/apps/files/templates/index.php index 8598ead2404..714ff497f9d 100644 --- a/apps/files/templates/index.php +++ b/apps/files/templates/index.php @@ -63,17 +63,20 @@
    - - t( 'Name' )); ?> - - - - Download" /> - t('Download'))?> - - - +
    + + + t( 'Name' )); ?> + + + + Download" /> + t('Download'))?> + + + +
    t('Size')); ?> diff --git a/apps/files/templates/part.list.php b/apps/files/templates/part.list.php index ab1b91167db..93d1aaf9dca 100644 --- a/apps/files/templates/part.list.php +++ b/apps/files/templates/part.list.php @@ -47,7 +47,10 @@ $totalsize = 0; ?> > - + + + + diff --git a/core/css/styles.css b/core/css/styles.css index 0dd66fb5b7c..db7f01cfebd 100644 --- a/core/css/styles.css +++ b/core/css/styles.css @@ -142,7 +142,7 @@ a.disabled, a.disabled:hover, a.disabled:focus { .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 !important;} + /* CONTENT ------------------------------------------------------------------ */ #controls { -- GitLab From e5761d90ef223a04205ad93eea7706439ef0b60e Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 14 Aug 2013 20:49:47 +0200 Subject: [PATCH 228/415] fix deleting old previews after file changed --- lib/preview.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/preview.php b/lib/preview.php index 92cc87c5897..293accb188a 100755 --- a/lib/preview.php +++ b/lib/preview.php @@ -592,7 +592,7 @@ class Preview { if(substr($path, 0, 1) === '/') { $path = substr($path, 1); } - $preview = new Preview(\OC_User::getUser(), 'files/', $path, 0, 0, false, true); + $preview = new Preview(\OC_User::getUser(), 'files/', $path); $preview->deleteAllPreviews(); } -- GitLab From a3d009e3b58099dfd86c53329290665ed09f7d72 Mon Sep 17 00:00:00 2001 From: Bjoern Schiessle Date: Wed, 14 Aug 2013 20:51:36 +0200 Subject: [PATCH 229/415] also create root dir if it doesn't exist yet --- apps/files_versions/lib/versions.php | 19 +++++++++++++------ 1 file changed, 13 insertions(+), 6 deletions(-) diff --git a/apps/files_versions/lib/versions.php b/apps/files_versions/lib/versions.php index b0fde6b559f..ddf73f415c5 100644 --- a/apps/files_versions/lib/versions.php +++ b/apps/files_versions/lib/versions.php @@ -112,10 +112,11 @@ class Storage { // create all parent folders $dirname= \OC_Filesystem::normalizePath(pathinfo($filename, PATHINFO_DIRNAME)); $dirParts = explode('/', $dirname); + $dir = "/files_versions"; foreach ($dirParts as $part) { $dir = $dir.'/'.$part; - if(!$versions_view->file_exists($dir)) { - $versions_view->mkdir($dir); + if(!$users_view->file_exists($dir)) { + $users_view->mkdir($dir); } } @@ -186,13 +187,19 @@ class Storage { 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)) ) { - $info=pathinfo($abs_newpath); - if(!file_exists($info['dirname'])) mkdir($info['dirname'], 0750, true); + // create missing dirs if necessary + $dirname = \OC_Filesystem::normalizePath(pathinfo($newpath, PATHINFO_DIRNAME)); + $dirParts = explode('/', $dirname); + $dir = "/files_versions"; + foreach ($dirParts as $part) { + $dir = $dir.'/'.$part; + if(!$users_view->file_exists($dir)) { + $users_view->mkdir($dir); + } + } foreach ($versions as $v) { $versions_view->rename($oldpath.'.v'.$v['version'], $newpath.'.v'.$v['version']); } -- GitLab From 623f9ec817490c93e8abf0825bab372acf08c29e Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 14 Aug 2013 21:20:03 +0200 Subject: [PATCH 230/415] don't generate previews of empty txt files --- lib/preview/txt.php | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/lib/preview/txt.php b/lib/preview/txt.php index 89927fd580a..c06f445e827 100644 --- a/lib/preview/txt.php +++ b/lib/preview/txt.php @@ -17,6 +17,10 @@ class TXT extends Provider { $content = $fileview->fopen($path, 'r'); $content = stream_get_contents($content); + if(trim($content) === '') { + return false; + } + $lines = preg_split("/\r\n|\n|\r/", $content); $fontSize = 5; //5px -- GitLab From b2f666c98f462da43168ae93a39c8dc886ba847e Mon Sep 17 00:00:00 2001 From: Jan-Christoph Borchardt Date: Wed, 14 Aug 2013 21:26:06 +0200 Subject: [PATCH 231/415] fix file summary position --- apps/files/css/files.css | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/apps/files/css/files.css b/apps/files/css/files.css index de7be0a6a22..4f2f10da4dd 100644 --- a/apps/files/css/files.css +++ b/apps/files/css/files.css @@ -281,9 +281,8 @@ a.action>img { max-height:16px; max-width:16px; vertical-align:text-bottom; } .summary { opacity: .5; } - .summary .info { - margin-left: 3em; + margin-left: 55px; } #scanning-message{ top:40%; left:40%; position:absolute; display:none; } -- GitLab From ca495758bd8bcbea66f00296d36d87f66cd5f4a8 Mon Sep 17 00:00:00 2001 From: Thomas Tanghus Date: Wed, 14 Aug 2013 23:06:43 +0200 Subject: [PATCH 232/415] Fix octemplate string escaping. --- core/js/octemplate.js | 8 ++++---- lib/base.php | 2 +- 2 files changed, 5 insertions(+), 5 deletions(-) diff --git a/core/js/octemplate.js b/core/js/octemplate.js index e69c6cc56e0..f7ee316f3b2 100644 --- a/core/js/octemplate.js +++ b/core/js/octemplate.js @@ -60,9 +60,9 @@ var self = this; if(typeof this.options.escapeFunction === 'function') { - for (var key = 0; key < this.vars.length; key++) { - if(typeof this.vars[key] === 'string') { - this.vars[key] = self.options.escapeFunction(this.vars[key]); + for (var key = 0; key < Object.keys(this.vars).length; key++) { + if(typeof this.vars[Object.keys(this.vars)[key]] === 'string') { + this.vars[Object.keys(this.vars)[key]] = self.options.escapeFunction(this.vars[Object.keys(this.vars)[key]]); } } } @@ -85,7 +85,7 @@ } }, options: { - escapeFunction: function(str) {return $('').text(str).html();} + escapeFunction: escapeHTML } }; diff --git a/lib/base.php b/lib/base.php index eaee8424651..18c172759b4 100644 --- a/lib/base.php +++ b/lib/base.php @@ -257,8 +257,8 @@ class OC { OC_Util::addScript("compatibility"); OC_Util::addScript("jquery.ocdialog"); OC_Util::addScript("oc-dialogs"); - OC_Util::addScript("octemplate"); OC_Util::addScript("js"); + OC_Util::addScript("octemplate"); OC_Util::addScript("eventsource"); OC_Util::addScript("config"); //OC_Util::addScript( "multiselect" ); -- GitLab From 680ac48856a4fff2445f0be3707d846b46ae670c Mon Sep 17 00:00:00 2001 From: Jenkins for ownCloud Date: Thu, 15 Aug 2013 04:53:54 -0400 Subject: [PATCH 233/415] [tx-robot] updated from transifex --- apps/files/l10n/ar.php | 8 +-- apps/files/l10n/bg_BG.php | 7 +-- apps/files/l10n/bn_BD.php | 8 +-- apps/files/l10n/ca.php | 8 +-- apps/files/l10n/cs_CZ.php | 8 +-- apps/files/l10n/cy_GB.php | 8 +-- apps/files/l10n/da.php | 8 +-- apps/files/l10n/de.php | 8 +-- apps/files/l10n/de_DE.php | 8 +-- apps/files/l10n/el.php | 8 +-- apps/files/l10n/en@pirate.php | 3 + apps/files/l10n/eo.php | 8 +-- apps/files/l10n/es.php | 8 +-- apps/files/l10n/es_AR.php | 8 +-- apps/files/l10n/et_EE.php | 8 +-- apps/files/l10n/eu.php | 8 +-- apps/files/l10n/fa.php | 8 +-- apps/files/l10n/fi_FI.php | 7 +-- apps/files/l10n/fr.php | 8 +-- apps/files/l10n/gl.php | 8 +-- apps/files/l10n/he.php | 8 +-- apps/files/l10n/hi.php | 3 + apps/files/l10n/hr.php | 4 +- apps/files/l10n/hu_HU.php | 8 +-- apps/files/l10n/hy.php | 3 + apps/files/l10n/ia.php | 3 + apps/files/l10n/id.php | 8 +-- apps/files/l10n/is.php | 8 +-- apps/files/l10n/it.php | 8 +-- apps/files/l10n/ja_JP.php | 8 +-- apps/files/l10n/ka.php | 3 + apps/files/l10n/ka_GE.php | 8 +-- apps/files/l10n/ko.php | 8 +-- apps/files/l10n/ku_IQ.php | 3 + apps/files/l10n/lb.php | 3 + apps/files/l10n/lt_LT.php | 8 +-- apps/files/l10n/lv.php | 8 +-- apps/files/l10n/mk.php | 8 +-- apps/files/l10n/ms_MY.php | 3 + apps/files/l10n/my_MM.php | 3 + apps/files/l10n/nb_NO.php | 8 +-- apps/files/l10n/nl.php | 8 +-- apps/files/l10n/nn_NO.php | 8 +-- apps/files/l10n/oc.php | 4 +- apps/files/l10n/pl.php | 8 +-- apps/files/l10n/pt_BR.php | 8 +-- apps/files/l10n/pt_PT.php | 8 +-- apps/files/l10n/ro.php | 8 +-- apps/files/l10n/ru.php | 8 +-- apps/files/l10n/si_LK.php | 6 +- apps/files/l10n/sk_SK.php | 8 +-- apps/files/l10n/sl.php | 8 +-- apps/files/l10n/sq.php | 8 +-- apps/files/l10n/sr.php | 8 +-- apps/files/l10n/sr@latin.php | 3 + apps/files/l10n/sv.php | 8 +-- apps/files/l10n/ta_LK.php | 8 +-- apps/files/l10n/te.php | 3 + apps/files/l10n/th_TH.php | 8 +-- apps/files/l10n/tr.php | 8 +-- apps/files/l10n/ug.php | 7 +-- apps/files/l10n/uk.php | 8 +-- apps/files/l10n/ur_PK.php | 3 + apps/files/l10n/vi.php | 8 +-- apps/files/l10n/zh_CN.GB2312.php | 8 +-- apps/files/l10n/zh_CN.php | 8 +-- apps/files/l10n/zh_HK.php | 4 +- apps/files/l10n/zh_TW.php | 8 +-- apps/files_encryption/l10n/cs_CZ.php | 1 + apps/files_encryption/l10n/da.php | 2 + apps/files_trashbin/l10n/ar.php | 6 +- apps/files_trashbin/l10n/bg_BG.php | 6 +- apps/files_trashbin/l10n/bn_BD.php | 6 +- apps/files_trashbin/l10n/ca.php | 6 +- apps/files_trashbin/l10n/cs_CZ.php | 6 +- apps/files_trashbin/l10n/cy_GB.php | 6 +- apps/files_trashbin/l10n/da.php | 6 +- apps/files_trashbin/l10n/de.php | 6 +- apps/files_trashbin/l10n/de_DE.php | 6 +- apps/files_trashbin/l10n/el.php | 6 +- apps/files_trashbin/l10n/eo.php | 6 +- apps/files_trashbin/l10n/es.php | 6 +- apps/files_trashbin/l10n/es_AR.php | 6 +- apps/files_trashbin/l10n/et_EE.php | 6 +- apps/files_trashbin/l10n/eu.php | 6 +- apps/files_trashbin/l10n/fa.php | 6 +- apps/files_trashbin/l10n/fi_FI.php | 6 +- apps/files_trashbin/l10n/fr.php | 6 +- apps/files_trashbin/l10n/gl.php | 6 +- apps/files_trashbin/l10n/he.php | 6 +- apps/files_trashbin/l10n/hr.php | 2 + apps/files_trashbin/l10n/hu_HU.php | 6 +- apps/files_trashbin/l10n/hy.php | 2 + apps/files_trashbin/l10n/ia.php | 2 + apps/files_trashbin/l10n/id.php | 6 +- apps/files_trashbin/l10n/is.php | 6 +- apps/files_trashbin/l10n/it.php | 6 +- apps/files_trashbin/l10n/ja_JP.php | 6 +- apps/files_trashbin/l10n/ka_GE.php | 6 +- apps/files_trashbin/l10n/ko.php | 6 +- apps/files_trashbin/l10n/ku_IQ.php | 4 +- apps/files_trashbin/l10n/lb.php | 2 + apps/files_trashbin/l10n/lt_LT.php | 6 +- apps/files_trashbin/l10n/lv.php | 6 +- apps/files_trashbin/l10n/mk.php | 6 +- apps/files_trashbin/l10n/ms_MY.php | 2 + apps/files_trashbin/l10n/nb_NO.php | 6 +- apps/files_trashbin/l10n/nl.php | 6 +- apps/files_trashbin/l10n/nn_NO.php | 6 +- apps/files_trashbin/l10n/oc.php | 2 + apps/files_trashbin/l10n/pl.php | 6 +- apps/files_trashbin/l10n/pt_BR.php | 6 +- apps/files_trashbin/l10n/pt_PT.php | 6 +- apps/files_trashbin/l10n/ro.php | 6 +- apps/files_trashbin/l10n/ru.php | 6 +- apps/files_trashbin/l10n/si_LK.php | 4 +- apps/files_trashbin/l10n/sk_SK.php | 6 +- apps/files_trashbin/l10n/sl.php | 6 +- apps/files_trashbin/l10n/sq.php | 6 +- apps/files_trashbin/l10n/sr.php | 6 +- apps/files_trashbin/l10n/sr@latin.php | 2 + apps/files_trashbin/l10n/sv.php | 6 +- apps/files_trashbin/l10n/ta_LK.php | 6 +- apps/files_trashbin/l10n/te.php | 2 + apps/files_trashbin/l10n/th_TH.php | 6 +- apps/files_trashbin/l10n/tr.php | 6 +- apps/files_trashbin/l10n/ug.php | 5 +- apps/files_trashbin/l10n/uk.php | 6 +- apps/files_trashbin/l10n/ur_PK.php | 4 +- apps/files_trashbin/l10n/vi.php | 6 +- apps/files_trashbin/l10n/zh_CN.GB2312.php | 6 +- apps/files_trashbin/l10n/zh_CN.php | 6 +- apps/files_trashbin/l10n/zh_HK.php | 3 +- apps/files_trashbin/l10n/zh_TW.php | 6 +- core/l10n/af_ZA.php | 4 ++ core/l10n/ar.php | 11 ++-- core/l10n/be.php | 4 ++ core/l10n/bg_BG.php | 6 +- core/l10n/bn_BD.php | 11 ++-- core/l10n/bs.php | 4 ++ core/l10n/ca.php | 11 ++-- core/l10n/cs_CZ.php | 12 ++-- core/l10n/cy_GB.php | 11 ++-- core/l10n/da.php | 16 ++--- core/l10n/de.php | 13 ++-- core/l10n/de_AT.php | 9 +++ core/l10n/de_CH.php | 12 ++-- core/l10n/de_DE.php | 13 ++-- core/l10n/el.php | 11 ++-- core/l10n/en@pirate.php | 4 ++ core/l10n/eo.php | 11 ++-- core/l10n/es.php | 11 ++-- core/l10n/es_AR.php | 11 ++-- core/l10n/et_EE.php | 11 ++-- core/l10n/eu.php | 11 ++-- core/l10n/fa.php | 11 ++-- core/l10n/fi_FI.php | 11 ++-- core/l10n/fr.php | 11 ++-- core/l10n/gl.php | 11 ++-- core/l10n/he.php | 11 ++-- core/l10n/hi.php | 4 ++ core/l10n/hr.php | 5 +- core/l10n/hu_HU.php | 11 ++-- core/l10n/hy.php | 6 +- core/l10n/ia.php | 5 +- core/l10n/id.php | 11 ++-- core/l10n/is.php | 11 ++-- core/l10n/it.php | 11 ++-- core/l10n/ja_JP.php | 11 ++-- core/l10n/ka.php | 6 +- core/l10n/ka_GE.php | 11 ++-- core/l10n/kn.php | 8 +++ core/l10n/ko.php | 11 ++-- core/l10n/ku_IQ.php | 4 ++ core/l10n/lb.php | 11 ++-- core/l10n/lt_LT.php | 11 ++-- core/l10n/lv.php | 11 ++-- core/l10n/mk.php | 11 ++-- core/l10n/ml_IN.php | 8 +++ core/l10n/ms_MY.php | 5 +- core/l10n/my_MM.php | 6 +- core/l10n/nb_NO.php | 11 ++-- core/l10n/ne.php | 8 +++ core/l10n/nl.php | 11 ++-- core/l10n/nn_NO.php | 11 ++-- core/l10n/oc.php | 6 +- core/l10n/pl.php | 11 ++-- core/l10n/pt_BR.php | 11 ++-- core/l10n/pt_PT.php | 11 ++-- core/l10n/ro.php | 11 ++-- core/l10n/ru.php | 11 ++-- core/l10n/si_LK.php | 6 +- core/l10n/sk.php | 8 +++ core/l10n/sk_SK.php | 11 ++-- core/l10n/sl.php | 11 ++-- core/l10n/sq.php | 11 ++-- core/l10n/sr.php | 11 ++-- core/l10n/sr@latin.php | 4 ++ core/l10n/sv.php | 11 ++-- core/l10n/sw_KE.php | 8 +++ core/l10n/ta_LK.php | 11 ++-- core/l10n/te.php | 10 ++- core/l10n/th_TH.php | 11 ++-- core/l10n/tr.php | 11 ++-- core/l10n/ug.php | 6 +- core/l10n/uk.php | 11 ++-- core/l10n/ur_PK.php | 5 +- core/l10n/vi.php | 11 ++-- core/l10n/zh_CN.GB2312.php | 11 ++-- core/l10n/zh_CN.php | 11 ++-- core/l10n/zh_HK.php | 4 ++ core/l10n/zh_TW.php | 11 ++-- l10n/af_ZA/core.po | 55 ++++++++-------- l10n/af_ZA/files.po | 68 ++++++++++---------- l10n/af_ZA/files_trashbin.po | 28 ++++----- l10n/af_ZA/lib.po | 48 +++++++------- l10n/ar/core.po | 77 ++++++++++++++--------- l10n/ar/files.po | 56 ++++++++++------- l10n/ar/files_trashbin.po | 38 ++++++----- l10n/ar/lib.po | 68 +++++++++++--------- l10n/be/core.po | 63 +++++++++++-------- l10n/be/files.po | 74 +++++++++++----------- l10n/be/files_trashbin.po | 34 +++++----- l10n/be/lib.po | 56 +++++++++-------- l10n/bg_BG/core.po | 59 ++++++++--------- l10n/bg_BG/files.po | 42 ++++++------- l10n/bg_BG/files_trashbin.po | 30 ++++----- l10n/bg_BG/lib.po | 52 +++++++-------- l10n/bn_BD/core.po | 61 +++++++++--------- l10n/bn_BD/files.po | 42 ++++++------- l10n/bn_BD/files_trashbin.po | 30 ++++----- l10n/bn_BD/lib.po | 52 +++++++-------- l10n/bs/core.po | 59 +++++++++-------- l10n/bs/files.po | 43 ++++++------- l10n/bs/files_trashbin.po | 30 +++++---- l10n/bs/lib.po | 52 +++++++-------- l10n/ca/core.po | 61 +++++++++--------- l10n/ca/files.po | 42 ++++++------- l10n/ca/files_trashbin.po | 32 +++++----- l10n/ca/lib.po | 52 +++++++-------- l10n/cs_CZ/core.po | 68 +++++++++++--------- l10n/cs_CZ/files.po | 47 +++++++------- l10n/cs_CZ/files_encryption.po | 9 +-- l10n/cs_CZ/files_trashbin.po | 34 +++++----- l10n/cs_CZ/lib.po | 56 ++++++++--------- l10n/cy_GB/core.po | 69 +++++++++++--------- l10n/cy_GB/files.po | 48 +++++++------- l10n/cy_GB/files_trashbin.po | 34 +++++----- l10n/cy_GB/lib.po | 60 +++++++++--------- l10n/da/core.po | 72 ++++++++++----------- l10n/da/files.po | 44 +++++++------ l10n/da/files_encryption.po | 11 ++-- l10n/da/files_trashbin.po | 32 +++++----- l10n/da/lib.po | 52 +++++++-------- l10n/de/core.po | 66 +++++++++---------- l10n/de/files.po | 42 ++++++------- l10n/de/files_trashbin.po | 32 +++++----- l10n/de/lib.po | 52 +++++++-------- l10n/de_AT/core.po | 58 ++++++++--------- l10n/de_AT/files.po | 40 ++++++------ l10n/de_AT/files_trashbin.po | 28 ++++----- l10n/de_AT/lib.po | 48 +++++++------- l10n/de_CH/core.po | 64 ++++++++++--------- l10n/de_CH/files.po | 44 +++++++------ l10n/de_CH/files_trashbin.po | 32 +++++----- l10n/de_CH/lib.po | 52 +++++++-------- l10n/de_DE/core.po | 66 +++++++++---------- l10n/de_DE/files.po | 45 +++++++------ l10n/de_DE/files_trashbin.po | 32 +++++----- l10n/de_DE/lib.po | 52 +++++++-------- l10n/el/core.po | 61 +++++++++--------- l10n/el/files.po | 44 +++++++------ l10n/el/files_trashbin.po | 32 +++++----- l10n/el/lib.po | 52 +++++++-------- l10n/en@pirate/core.po | 55 ++++++++-------- l10n/en@pirate/files.po | 40 ++++++------ l10n/en@pirate/files_trashbin.po | 28 ++++----- l10n/en@pirate/lib.po | 48 +++++++------- l10n/eo/core.po | 61 +++++++++--------- l10n/eo/files.po | 42 ++++++------- l10n/eo/files_trashbin.po | 30 ++++----- l10n/eo/lib.po | 52 +++++++-------- l10n/es/core.po | 61 +++++++++--------- l10n/es/files.po | 42 ++++++------- l10n/es/files_trashbin.po | 32 +++++----- l10n/es/lib.po | 52 +++++++-------- l10n/es_AR/core.po | 61 +++++++++--------- l10n/es_AR/files.po | 42 ++++++------- l10n/es_AR/files_trashbin.po | 30 ++++----- l10n/es_AR/lib.po | 52 +++++++-------- l10n/et_EE/core.po | 63 ++++++++++--------- l10n/et_EE/files.po | 42 ++++++------- l10n/et_EE/files_trashbin.po | 32 +++++----- l10n/et_EE/lib.po | 52 +++++++-------- l10n/eu/core.po | 61 +++++++++--------- l10n/eu/files.po | 42 ++++++------- l10n/eu/files_trashbin.po | 30 ++++----- l10n/eu/lib.po | 52 +++++++-------- l10n/fa/core.po | 57 ++++++++--------- l10n/fa/files.po | 37 +++++------ l10n/fa/files_trashbin.po | 26 +++----- l10n/fa/lib.po | 48 ++++++-------- l10n/fi_FI/core.po | 63 ++++++++++--------- l10n/fi_FI/files.po | 42 ++++++------- l10n/fi_FI/files_trashbin.po | 32 +++++----- l10n/fi_FI/lib.po | 52 +++++++-------- l10n/fr/core.po | 61 +++++++++--------- l10n/fr/files.po | 42 ++++++------- l10n/fr/files_trashbin.po | 30 ++++----- l10n/fr/lib.po | 52 +++++++-------- l10n/gl/core.po | 63 ++++++++++--------- l10n/gl/files.po | 42 ++++++------- l10n/gl/files_trashbin.po | 32 +++++----- l10n/gl/lib.po | 52 +++++++-------- l10n/he/core.po | 61 +++++++++--------- l10n/he/files.po | 42 ++++++------- l10n/he/files_trashbin.po | 30 ++++----- l10n/he/lib.po | 52 +++++++-------- l10n/hi/core.po | 55 ++++++++-------- l10n/hi/files.po | 40 ++++++------ l10n/hi/files_trashbin.po | 28 ++++----- l10n/hi/lib.po | 48 +++++++------- l10n/hr/core.po | 65 ++++++++++--------- l10n/hr/files.po | 45 ++++++------- l10n/hr/files_trashbin.po | 32 +++++----- l10n/hr/lib.po | 56 ++++++++--------- l10n/hu_HU/core.po | 61 +++++++++--------- l10n/hu_HU/files.po | 42 ++++++------- l10n/hu_HU/files_trashbin.po | 32 +++++----- l10n/hu_HU/lib.po | 52 +++++++-------- l10n/hy/core.po | 55 ++++++++-------- l10n/hy/files.po | 40 ++++++------ l10n/hy/files_trashbin.po | 28 ++++----- l10n/hy/lib.po | 48 +++++++------- l10n/ia/core.po | 57 ++++++++--------- l10n/ia/files.po | 42 ++++++------- l10n/ia/files_trashbin.po | 30 ++++----- l10n/ia/lib.po | 48 +++++++------- l10n/id/core.po | 57 ++++++++--------- l10n/id/files.po | 37 +++++------ l10n/id/files_trashbin.po | 26 +++----- l10n/id/lib.po | 48 ++++++-------- l10n/is/core.po | 61 +++++++++--------- l10n/is/files.po | 42 ++++++------- l10n/is/files_trashbin.po | 30 ++++----- l10n/is/lib.po | 52 +++++++-------- l10n/it/core.po | 61 +++++++++--------- l10n/it/files.po | 42 ++++++------- l10n/it/files_trashbin.po | 32 +++++----- l10n/it/lib.po | 52 +++++++-------- l10n/ja_JP/core.po | 59 +++++++++-------- l10n/ja_JP/files.po | 37 +++++------ l10n/ja_JP/files_trashbin.po | 28 ++++----- l10n/ja_JP/lib.po | 48 ++++++-------- l10n/ka/core.po | 53 ++++++++-------- l10n/ka/files.po | 37 +++++------ l10n/ka/files_trashbin.po | 26 +++----- l10n/ka/lib.po | 48 ++++++-------- l10n/ka_GE/core.po | 57 ++++++++--------- l10n/ka_GE/files.po | 37 +++++------ l10n/ka_GE/files_trashbin.po | 26 +++----- l10n/ka_GE/lib.po | 48 ++++++-------- l10n/kn/core.po | 51 +++++++-------- l10n/kn/files.po | 65 +++++++++---------- l10n/kn/files_trashbin.po | 26 +++----- l10n/kn/lib.po | 44 ++++++------- l10n/ko/core.po | 57 ++++++++--------- l10n/ko/files.po | 37 +++++------ l10n/ko/files_trashbin.po | 26 +++----- l10n/ko/lib.po | 48 ++++++-------- l10n/ku_IQ/core.po | 55 ++++++++-------- l10n/ku_IQ/files.po | 40 ++++++------ l10n/ku_IQ/files_trashbin.po | 28 ++++----- l10n/ku_IQ/lib.po | 48 +++++++------- l10n/lb/core.po | 61 +++++++++--------- l10n/lb/files.po | 42 ++++++------- l10n/lb/files_trashbin.po | 30 ++++----- l10n/lb/lib.po | 52 +++++++-------- l10n/lt_LT/core.po | 65 ++++++++++--------- l10n/lt_LT/files.po | 45 ++++++------- l10n/lt_LT/files_trashbin.po | 32 +++++----- l10n/lt_LT/lib.po | 56 ++++++++--------- l10n/lv/core.po | 65 ++++++++++--------- l10n/lv/files.po | 45 ++++++------- l10n/lv/files_trashbin.po | 32 +++++----- l10n/lv/lib.po | 56 ++++++++--------- l10n/mk/core.po | 61 +++++++++--------- l10n/mk/files.po | 42 ++++++------- l10n/mk/files_trashbin.po | 30 ++++----- l10n/mk/lib.po | 52 +++++++-------- l10n/ml_IN/core.po | 55 ++++++++-------- l10n/ml_IN/files.po | 68 ++++++++++---------- l10n/ml_IN/files_trashbin.po | 28 ++++----- l10n/ml_IN/lib.po | 48 +++++++------- l10n/ms_MY/core.po | 53 ++++++++-------- l10n/ms_MY/files.po | 37 +++++------ l10n/ms_MY/files_trashbin.po | 26 +++----- l10n/ms_MY/lib.po | 44 ++++++------- l10n/my_MM/core.po | 55 ++++++++-------- l10n/my_MM/files.po | 37 +++++------ l10n/my_MM/files_trashbin.po | 26 +++----- l10n/my_MM/lib.po | 48 ++++++-------- l10n/nb_NO/core.po | 61 +++++++++--------- l10n/nb_NO/files.po | 42 ++++++------- l10n/nb_NO/files_trashbin.po | 30 ++++----- l10n/nb_NO/lib.po | 52 +++++++-------- l10n/ne/core.po | 55 ++++++++-------- l10n/ne/files.po | 68 ++++++++++---------- l10n/ne/files_trashbin.po | 28 ++++----- l10n/ne/lib.po | 48 +++++++------- l10n/nl/core.po | 63 ++++++++++--------- l10n/nl/files.po | 42 ++++++------- l10n/nl/files_trashbin.po | 32 +++++----- l10n/nl/lib.po | 52 +++++++-------- l10n/nn_NO/core.po | 61 +++++++++--------- l10n/nn_NO/files.po | 42 ++++++------- l10n/nn_NO/files_trashbin.po | 30 ++++----- l10n/nn_NO/lib.po | 52 +++++++-------- l10n/oc/core.po | 61 +++++++++--------- l10n/oc/files.po | 42 ++++++------- l10n/oc/files_trashbin.po | 30 ++++----- l10n/oc/lib.po | 52 +++++++-------- l10n/pl/core.po | 67 +++++++++++--------- l10n/pl/files.po | 45 ++++++------- l10n/pl/files_trashbin.po | 34 +++++----- l10n/pl/lib.po | 56 ++++++++--------- l10n/pt_BR/core.po | 63 ++++++++++--------- l10n/pt_BR/files.po | 42 ++++++------- l10n/pt_BR/files_trashbin.po | 32 +++++----- l10n/pt_BR/lib.po | 52 +++++++-------- l10n/pt_PT/core.po | 61 +++++++++--------- l10n/pt_PT/files.po | 42 ++++++------- l10n/pt_PT/files_trashbin.po | 32 +++++----- l10n/pt_PT/lib.po | 52 +++++++-------- l10n/ro/core.po | 65 ++++++++++--------- l10n/ro/files.po | 45 ++++++------- l10n/ro/files_trashbin.po | 32 +++++----- l10n/ro/lib.po | 56 ++++++++--------- l10n/ru/core.po | 65 ++++++++++--------- l10n/ru/files.po | 45 ++++++------- l10n/ru/files_trashbin.po | 34 +++++----- l10n/ru/lib.po | 56 ++++++++--------- l10n/si_LK/core.po | 61 +++++++++--------- l10n/si_LK/files.po | 42 ++++++------- l10n/si_LK/files_trashbin.po | 30 ++++----- l10n/si_LK/lib.po | 52 +++++++-------- l10n/sk/core.po | 59 +++++++++-------- l10n/sk/files.po | 71 ++++++++++----------- l10n/sk/files_trashbin.po | 30 +++++---- l10n/sk/lib.po | 52 +++++++-------- l10n/sk_SK/core.po | 65 ++++++++++--------- l10n/sk_SK/files.po | 45 ++++++------- l10n/sk_SK/files_trashbin.po | 34 +++++----- l10n/sk_SK/lib.po | 56 ++++++++--------- l10n/sl/core.po | 69 +++++++++++--------- l10n/sl/files.po | 48 +++++++------- l10n/sl/files_trashbin.po | 34 +++++----- l10n/sl/lib.po | 60 +++++++++--------- l10n/sq/core.po | 61 +++++++++--------- l10n/sq/files.po | 42 ++++++------- l10n/sq/files_trashbin.po | 30 ++++----- l10n/sq/lib.po | 52 +++++++-------- l10n/sr/core.po | 65 ++++++++++--------- l10n/sr/files.po | 45 ++++++------- l10n/sr/files_trashbin.po | 32 +++++----- l10n/sr/lib.po | 56 ++++++++--------- l10n/sr@latin/core.po | 59 +++++++++-------- l10n/sr@latin/files.po | 45 ++++++------- l10n/sr@latin/files_trashbin.po | 30 +++++---- l10n/sr@latin/lib.po | 52 +++++++-------- l10n/sv/core.po | 61 +++++++++--------- l10n/sv/files.po | 42 ++++++------- l10n/sv/files_trashbin.po | 32 +++++----- l10n/sv/lib.po | 52 +++++++-------- l10n/sw_KE/core.po | 55 ++++++++-------- l10n/sw_KE/files.po | 68 ++++++++++---------- l10n/sw_KE/files_trashbin.po | 28 ++++----- l10n/sw_KE/lib.po | 48 +++++++------- l10n/ta_LK/core.po | 61 +++++++++--------- l10n/ta_LK/files.po | 42 ++++++------- l10n/ta_LK/files_trashbin.po | 30 ++++----- l10n/ta_LK/lib.po | 52 +++++++-------- l10n/te/core.po | 59 ++++++++--------- l10n/te/files.po | 40 ++++++------ l10n/te/files_trashbin.po | 30 ++++----- l10n/te/lib.po | 52 +++++++-------- l10n/templates/core.pot | 54 ++++++++-------- l10n/templates/files.pot | 39 ++++++------ l10n/templates/files_encryption.pot | 2 +- l10n/templates/files_external.pot | 2 +- l10n/templates/files_sharing.pot | 2 +- l10n/templates/files_trashbin.pot | 27 ++++---- l10n/templates/files_versions.pot | 2 +- l10n/templates/lib.pot | 47 +++++++------- l10n/templates/settings.pot | 2 +- l10n/templates/user_ldap.pot | 2 +- l10n/templates/user_webdavauth.pot | 2 +- l10n/th_TH/core.po | 57 ++++++++--------- l10n/th_TH/files.po | 37 +++++------ l10n/th_TH/files_trashbin.po | 26 +++----- l10n/th_TH/lib.po | 48 ++++++-------- l10n/tr/core.po | 61 +++++++++--------- l10n/tr/files.po | 42 ++++++------- l10n/tr/files_trashbin.po | 30 ++++----- l10n/tr/lib.po | 52 +++++++-------- l10n/ug/core.po | 53 ++++++++-------- l10n/ug/files.po | 37 +++++------ l10n/ug/files_trashbin.po | 26 +++----- l10n/ug/lib.po | 48 ++++++-------- l10n/uk/core.po | 65 ++++++++++--------- l10n/uk/files.po | 47 +++++++------- l10n/uk/files_trashbin.po | 34 +++++----- l10n/uk/lib.po | 56 ++++++++--------- l10n/ur_PK/core.po | 57 ++++++++--------- l10n/ur_PK/files.po | 40 ++++++------ l10n/ur_PK/files_trashbin.po | 28 ++++----- l10n/ur_PK/lib.po | 48 +++++++------- l10n/vi/core.po | 57 ++++++++--------- l10n/vi/files.po | 37 +++++------ l10n/vi/files_trashbin.po | 26 +++----- l10n/vi/lib.po | 48 ++++++-------- l10n/zh_CN.GB2312/core.po | 57 ++++++++--------- l10n/zh_CN.GB2312/files.po | 37 +++++------ l10n/zh_CN.GB2312/files_trashbin.po | 26 +++----- l10n/zh_CN.GB2312/lib.po | 48 ++++++-------- l10n/zh_CN/core.po | 57 ++++++++--------- l10n/zh_CN/files.po | 37 +++++------ l10n/zh_CN/files_trashbin.po | 26 +++----- l10n/zh_CN/lib.po | 48 ++++++-------- l10n/zh_HK/core.po | 55 ++++++++-------- l10n/zh_HK/files.po | 37 +++++------ l10n/zh_HK/files_trashbin.po | 26 +++----- l10n/zh_HK/lib.po | 48 ++++++-------- l10n/zh_TW/core.po | 57 ++++++++--------- l10n/zh_TW/files.po | 37 +++++------ l10n/zh_TW/files_trashbin.po | 26 +++----- l10n/zh_TW/lib.po | 48 ++++++-------- lib/l10n/af_ZA.php | 6 +- lib/l10n/ar.php | 10 ++- lib/l10n/be.php | 8 +++ lib/l10n/bg_BG.php | 10 ++- lib/l10n/bn_BD.php | 8 +-- lib/l10n/bs.php | 8 +++ lib/l10n/ca.php | 10 ++- lib/l10n/cs_CZ.php | 10 ++- lib/l10n/cy_GB.php | 10 ++- lib/l10n/da.php | 10 ++- lib/l10n/de.php | 10 ++- lib/l10n/de_AT.php | 8 +++ lib/l10n/de_CH.php | 10 ++- lib/l10n/de_DE.php | 10 ++- lib/l10n/el.php | 10 ++- lib/l10n/en@pirate.php | 6 +- lib/l10n/eo.php | 10 ++- lib/l10n/es.php | 10 ++- lib/l10n/es_AR.php | 10 ++- lib/l10n/et_EE.php | 10 ++- lib/l10n/eu.php | 10 ++- lib/l10n/fa.php | 10 ++- lib/l10n/fi_FI.php | 10 ++- lib/l10n/fr.php | 10 ++- lib/l10n/gl.php | 10 ++- lib/l10n/he.php | 10 ++- lib/l10n/hi.php | 6 +- lib/l10n/hr.php | 4 ++ lib/l10n/hu_HU.php | 10 ++- lib/l10n/hy.php | 8 +++ lib/l10n/ia.php | 6 +- lib/l10n/id.php | 10 ++- lib/l10n/is.php | 10 ++- lib/l10n/it.php | 10 ++- lib/l10n/ja_JP.php | 10 ++- lib/l10n/ka.php | 8 +-- lib/l10n/ka_GE.php | 10 ++- lib/l10n/kn.php | 8 +++ lib/l10n/ko.php | 10 ++- lib/l10n/ku_IQ.php | 6 +- lib/l10n/lb.php | 6 +- lib/l10n/lt_LT.php | 10 ++- lib/l10n/lv.php | 10 ++- lib/l10n/mk.php | 10 ++- lib/l10n/ml_IN.php | 8 +++ lib/l10n/ms_MY.php | 6 +- lib/l10n/my_MM.php | 10 ++- lib/l10n/nb_NO.php | 10 ++- lib/l10n/ne.php | 8 +++ lib/l10n/nl.php | 10 ++- lib/l10n/nn_NO.php | 6 +- lib/l10n/oc.php | 7 ++- lib/l10n/pl.php | 10 ++- lib/l10n/pt_BR.php | 10 ++- lib/l10n/pt_PT.php | 10 ++- lib/l10n/ro.php | 10 ++- lib/l10n/ru.php | 10 ++- lib/l10n/si_LK.php | 7 ++- lib/l10n/sk.php | 8 +++ lib/l10n/sk_SK.php | 10 ++- lib/l10n/sl.php | 10 ++- lib/l10n/sq.php | 10 ++- lib/l10n/sr.php | 10 ++- lib/l10n/sr@latin.php | 6 +- lib/l10n/sv.php | 10 ++- lib/l10n/sw_KE.php | 8 +++ lib/l10n/ta_LK.php | 10 ++- lib/l10n/te.php | 6 +- lib/l10n/th_TH.php | 10 ++- lib/l10n/tr.php | 10 ++- lib/l10n/ug.php | 10 ++- lib/l10n/uk.php | 10 ++- lib/l10n/ur_PK.php | 6 +- lib/l10n/vi.php | 10 ++- lib/l10n/zh_CN.GB2312.php | 8 +-- lib/l10n/zh_CN.php | 10 ++- lib/l10n/zh_HK.php | 6 +- lib/l10n/zh_TW.php | 10 ++- 615 files changed, 8099 insertions(+), 8868 deletions(-) create mode 100644 core/l10n/de_AT.php create mode 100644 core/l10n/kn.php create mode 100644 core/l10n/ml_IN.php create mode 100644 core/l10n/ne.php create mode 100644 core/l10n/sk.php create mode 100644 core/l10n/sw_KE.php create mode 100644 lib/l10n/be.php create mode 100644 lib/l10n/bs.php create mode 100644 lib/l10n/de_AT.php create mode 100644 lib/l10n/hy.php create mode 100644 lib/l10n/kn.php create mode 100644 lib/l10n/ml_IN.php create mode 100644 lib/l10n/ne.php create mode 100644 lib/l10n/sk.php create mode 100644 lib/l10n/sw_KE.php diff --git a/apps/files/l10n/ar.php b/apps/files/l10n/ar.php index 878bb2eefb2..8a86811b86f 100644 --- a/apps/files/l10n/ar.php +++ b/apps/files/l10n/ar.php @@ -30,7 +30,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "استبدل {new_name} بـ {old_name}", "undo" => "تراجع", "perform delete operation" => "جاري تنفيذ عملية الحذف", -"1 file uploading" => "جاري رفع 1 ملف", +"_Uploading %n file_::_Uploading %n files_" => array(,), "'.' is an invalid file name." => "\".\" اسم ملف غير صحيح.", "File name cannot be empty." => "اسم الملف لا يجوز أن يكون فارغا", "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "اسم غير صحيح , الرموز '\\', '/', '<', '>', ':', '\"', '|', '?' و \"*\" غير مسموح استخدامها", @@ -41,10 +41,8 @@ $TRANSLATIONS = array( "Name" => "اسم", "Size" => "حجم", "Modified" => "معدل", -"1 folder" => "مجلد عدد 1", -"{count} folders" => "{count} مجلدات", -"1 file" => "ملف واحد", -"{count} files" => "{count} ملفات", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Upload" => "رفع", "File handling" => "التعامل مع الملف", "Maximum upload size" => "الحد الأقصى لحجم الملفات التي يمكن رفعها", diff --git a/apps/files/l10n/bg_BG.php b/apps/files/l10n/bg_BG.php index 47f73206799..a6849c30915 100644 --- a/apps/files/l10n/bg_BG.php +++ b/apps/files/l10n/bg_BG.php @@ -18,13 +18,12 @@ $TRANSLATIONS = array( "replace" => "препокриване", "cancel" => "отказ", "undo" => "възтановяване", +"_Uploading %n file_::_Uploading %n files_" => array(,), "Name" => "Име", "Size" => "Размер", "Modified" => "Променено", -"1 folder" => "1 папка", -"{count} folders" => "{count} папки", -"1 file" => "1 файл", -"{count} files" => "{count} файла", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Upload" => "Качване", "Maximum upload size" => "Максимален размер за качване", "0 is unlimited" => "Ползвайте 0 за без ограничения", diff --git a/apps/files/l10n/bn_BD.php b/apps/files/l10n/bn_BD.php index 288b1477bfb..ca77eea1c6e 100644 --- a/apps/files/l10n/bn_BD.php +++ b/apps/files/l10n/bn_BD.php @@ -28,7 +28,7 @@ $TRANSLATIONS = array( "cancel" => "বাতিল", "replaced {new_name} with {old_name}" => "{new_name} কে {old_name} নামে প্রতিস্থাপন করা হয়েছে", "undo" => "ক্রিয়া প্রত্যাহার", -"1 file uploading" => "১টি ফাইল আপলোড করা হচ্ছে", +"_Uploading %n file_::_Uploading %n files_" => array(,), "'.' is an invalid file name." => "টি একটি অননুমোদিত নাম।", "File name cannot be empty." => "ফাইলের নামটি ফাঁকা রাখা যাবে না।", "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "নামটি সঠিক নয়, '\\', '/', '<', '>', ':', '\"', '|', '?' এবং '*' অনুমোদিত নয়।", @@ -36,10 +36,8 @@ $TRANSLATIONS = array( "Name" => "রাম", "Size" => "আকার", "Modified" => "পরিবর্তিত", -"1 folder" => "১টি ফোল্ডার", -"{count} folders" => "{count} টি ফোল্ডার", -"1 file" => "১টি ফাইল", -"{count} files" => "{count} টি ফাইল", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Upload" => "আপলোড", "File handling" => "ফাইল হ্যার্ডলিং", "Maximum upload size" => "আপলোডের সর্বোচ্চ আকার", diff --git a/apps/files/l10n/ca.php b/apps/files/l10n/ca.php index 8d8469fbea4..d928049f9bc 100644 --- a/apps/files/l10n/ca.php +++ b/apps/files/l10n/ca.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "s'ha substituït {old_name} per {new_name}", "undo" => "desfés", "perform delete operation" => "executa d'operació d'esborrar", -"1 file uploading" => "1 fitxer pujant", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "fitxers pujant", "'.' is an invalid file name." => "'.' és un nom no vàlid per un fitxer.", "File name cannot be empty." => "El nom del fitxer no pot ser buit.", @@ -46,10 +46,8 @@ $TRANSLATIONS = array( "Name" => "Nom", "Size" => "Mida", "Modified" => "Modificat", -"1 folder" => "1 carpeta", -"{count} folders" => "{count} carpetes", -"1 file" => "1 fitxer", -"{count} files" => "{count} fitxers", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "%s could not be renamed" => "%s no es pot canviar el nom", "Upload" => "Puja", "File handling" => "Gestió de fitxers", diff --git a/apps/files/l10n/cs_CZ.php b/apps/files/l10n/cs_CZ.php index ba94b9c5acc..4cd595bd7e2 100644 --- a/apps/files/l10n/cs_CZ.php +++ b/apps/files/l10n/cs_CZ.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "nahrazeno {new_name} s {old_name}", "undo" => "vrátit zpět", "perform delete operation" => "provést smazání", -"1 file uploading" => "odesílá se 1 soubor", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "soubory se odesílají", "'.' is an invalid file name." => "'.' je neplatným názvem souboru.", "File name cannot be empty." => "Název souboru nemůže být prázdný řetězec.", @@ -46,10 +46,8 @@ $TRANSLATIONS = array( "Name" => "Název", "Size" => "Velikost", "Modified" => "Upraveno", -"1 folder" => "1 složka", -"{count} folders" => "{count} složek", -"1 file" => "1 soubor", -"{count} files" => "{count} souborů", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "%s could not be renamed" => "%s nemůže být přejmenován", "Upload" => "Odeslat", "File handling" => "Zacházení se soubory", diff --git a/apps/files/l10n/cy_GB.php b/apps/files/l10n/cy_GB.php index dc50b9cc3f5..c0639d9746f 100644 --- a/apps/files/l10n/cy_GB.php +++ b/apps/files/l10n/cy_GB.php @@ -31,7 +31,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "newidiwyd {new_name} yn lle {old_name}", "undo" => "dadwneud", "perform delete operation" => "cyflawni gweithred dileu", -"1 file uploading" => "1 ffeil yn llwytho i fyny", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "ffeiliau'n llwytho i fyny", "'.' is an invalid file name." => "Mae '.' yn enw ffeil annilys.", "File name cannot be empty." => "Does dim hawl cael enw ffeil gwag.", @@ -43,10 +43,8 @@ $TRANSLATIONS = array( "Name" => "Enw", "Size" => "Maint", "Modified" => "Addaswyd", -"1 folder" => "1 blygell", -"{count} folders" => "{count} plygell", -"1 file" => "1 ffeil", -"{count} files" => "{count} ffeil", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Upload" => "Llwytho i fyny", "File handling" => "Trafod ffeiliau", "Maximum upload size" => "Maint mwyaf llwytho i fyny", diff --git a/apps/files/l10n/da.php b/apps/files/l10n/da.php index f066b702b3f..639d910e107 100644 --- a/apps/files/l10n/da.php +++ b/apps/files/l10n/da.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "erstattede {new_name} med {old_name}", "undo" => "fortryd", "perform delete operation" => "udfør slet operation", -"1 file uploading" => "1 fil uploades", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "uploader filer", "'.' is an invalid file name." => "'.' er et ugyldigt filnavn.", "File name cannot be empty." => "Filnavnet kan ikke stå tomt.", @@ -46,10 +46,8 @@ $TRANSLATIONS = array( "Name" => "Navn", "Size" => "Størrelse", "Modified" => "Ændret", -"1 folder" => "1 mappe", -"{count} folders" => "{count} mapper", -"1 file" => "1 fil", -"{count} files" => "{count} filer", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "%s could not be renamed" => "%s kunne ikke omdøbes", "Upload" => "Upload", "File handling" => "Filhåndtering", diff --git a/apps/files/l10n/de.php b/apps/files/l10n/de.php index c89294bc092..a1be267f4d9 100644 --- a/apps/files/l10n/de.php +++ b/apps/files/l10n/de.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "{old_name} ersetzt durch {new_name}", "undo" => "rückgängig machen", "perform delete operation" => "Löschvorgang ausführen", -"1 file uploading" => "1 Datei wird hochgeladen", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "Dateien werden hoch geladen", "'.' is an invalid file name." => "'.' ist kein gültiger Dateiname.", "File name cannot be empty." => "Der Dateiname darf nicht leer sein.", @@ -46,10 +46,8 @@ $TRANSLATIONS = array( "Name" => "Name", "Size" => "Größe", "Modified" => "Geändert", -"1 folder" => "1 Ordner", -"{count} folders" => "{count} Ordner", -"1 file" => "1 Datei", -"{count} files" => "{count} Dateien", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "%s could not be renamed" => "%s konnte nicht umbenannt werden", "Upload" => "Hochladen", "File handling" => "Dateibehandlung", diff --git a/apps/files/l10n/de_DE.php b/apps/files/l10n/de_DE.php index 6a4cbcef069..115ab136420 100644 --- a/apps/files/l10n/de_DE.php +++ b/apps/files/l10n/de_DE.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "{old_name} wurde ersetzt durch {new_name}", "undo" => "rückgängig machen", "perform delete operation" => "Löschvorgang ausführen", -"1 file uploading" => "1 Datei wird hochgeladen", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "Dateien werden hoch geladen", "'.' is an invalid file name." => "'.' ist kein gültiger Dateiname.", "File name cannot be empty." => "Der Dateiname darf nicht leer sein.", @@ -46,10 +46,8 @@ $TRANSLATIONS = array( "Name" => "Name", "Size" => "Größe", "Modified" => "Geändert", -"1 folder" => "1 Ordner", -"{count} folders" => "{count} Ordner", -"1 file" => "1 Datei", -"{count} files" => "{count} Dateien", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "%s could not be renamed" => "%s konnte nicht umbenannt werden", "Upload" => "Hochladen", "File handling" => "Dateibehandlung", diff --git a/apps/files/l10n/el.php b/apps/files/l10n/el.php index 0246ba2a89d..2778276a8c0 100644 --- a/apps/files/l10n/el.php +++ b/apps/files/l10n/el.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "αντικαταστάθηκε το {new_name} με {old_name}", "undo" => "αναίρεση", "perform delete operation" => "εκτέλεση της διαδικασίας διαγραφής", -"1 file uploading" => "1 αρχείο ανεβαίνει", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "αρχεία ανεβαίνουν", "'.' is an invalid file name." => "'.' είναι μη έγκυρο όνομα αρχείου.", "File name cannot be empty." => "Το όνομα αρχείου δεν μπορεί να είναι κενό.", @@ -46,10 +46,8 @@ $TRANSLATIONS = array( "Name" => "Όνομα", "Size" => "Μέγεθος", "Modified" => "Τροποποιήθηκε", -"1 folder" => "1 φάκελος", -"{count} folders" => "{count} φάκελοι", -"1 file" => "1 αρχείο", -"{count} files" => "{count} αρχεία", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "%s could not be renamed" => "Αδυναμία μετονομασίας του %s", "Upload" => "Μεταφόρτωση", "File handling" => "Διαχείριση αρχείων", diff --git a/apps/files/l10n/en@pirate.php b/apps/files/l10n/en@pirate.php index 339f94ae973..c9c54ed74c3 100644 --- a/apps/files/l10n/en@pirate.php +++ b/apps/files/l10n/en@pirate.php @@ -1,5 +1,8 @@ array(,), +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Download" => "Download" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/apps/files/l10n/eo.php b/apps/files/l10n/eo.php index 726abb13343..0f433a81e25 100644 --- a/apps/files/l10n/eo.php +++ b/apps/files/l10n/eo.php @@ -32,7 +32,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "anstataŭiĝis {new_name} per {old_name}", "undo" => "malfari", "perform delete operation" => "plenumi forigan operacion", -"1 file uploading" => "1 dosiero estas alŝutata", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "dosieroj estas alŝutataj", "'.' is an invalid file name." => "'.' ne estas valida dosiernomo.", "File name cannot be empty." => "Dosiernomo devas ne malpleni.", @@ -44,10 +44,8 @@ $TRANSLATIONS = array( "Name" => "Nomo", "Size" => "Grando", "Modified" => "Modifita", -"1 folder" => "1 dosierujo", -"{count} folders" => "{count} dosierujoj", -"1 file" => "1 dosiero", -"{count} files" => "{count} dosierujoj", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Upload" => "Alŝuti", "File handling" => "Dosieradministro", "Maximum upload size" => "Maksimuma alŝutogrando", diff --git a/apps/files/l10n/es.php b/apps/files/l10n/es.php index 407a783a85e..031ed460c49 100644 --- a/apps/files/l10n/es.php +++ b/apps/files/l10n/es.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "reemplazado {new_name} con {old_name}", "undo" => "deshacer", "perform delete operation" => "Realizar operación de borrado", -"1 file uploading" => "subiendo 1 archivo", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "subiendo archivos", "'.' is an invalid file name." => "'.' no es un nombre de archivo válido.", "File name cannot be empty." => "El nombre de archivo no puede estar vacío.", @@ -46,10 +46,8 @@ $TRANSLATIONS = array( "Name" => "Nombre", "Size" => "Tamaño", "Modified" => "Modificado", -"1 folder" => "1 carpeta", -"{count} folders" => "{count} carpetas", -"1 file" => "1 archivo", -"{count} files" => "{count} archivos", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "%s could not be renamed" => "%s no se pudo renombrar", "Upload" => "Subir", "File handling" => "Manejo de archivos", diff --git a/apps/files/l10n/es_AR.php b/apps/files/l10n/es_AR.php index fd422ab1d95..33403644dfb 100644 --- a/apps/files/l10n/es_AR.php +++ b/apps/files/l10n/es_AR.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "se reemplazó {new_name} con {old_name}", "undo" => "deshacer", "perform delete operation" => "Llevar a cabo borrado", -"1 file uploading" => "Subiendo 1 archivo", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "Subiendo archivos", "'.' is an invalid file name." => "'.' es un nombre de archivo inválido.", "File name cannot be empty." => "El nombre del archivo no puede quedar vacío.", @@ -46,10 +46,8 @@ $TRANSLATIONS = array( "Name" => "Nombre", "Size" => "Tamaño", "Modified" => "Modificado", -"1 folder" => "1 directorio", -"{count} folders" => "{count} directorios", -"1 file" => "1 archivo", -"{count} files" => "{count} archivos", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "%s could not be renamed" => "No se pudo renombrar %s", "Upload" => "Subir", "File handling" => "Tratamiento de archivos", diff --git a/apps/files/l10n/et_EE.php b/apps/files/l10n/et_EE.php index e6a643fbadf..b2978304ac5 100644 --- a/apps/files/l10n/et_EE.php +++ b/apps/files/l10n/et_EE.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "asendas nime {old_name} nimega {new_name}", "undo" => "tagasi", "perform delete operation" => "teosta kustutamine", -"1 file uploading" => "1 fail üleslaadimisel", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "faili üleslaadimisel", "'.' is an invalid file name." => "'.' on vigane failinimi.", "File name cannot be empty." => "Faili nimi ei saa olla tühi.", @@ -46,10 +46,8 @@ $TRANSLATIONS = array( "Name" => "Nimi", "Size" => "Suurus", "Modified" => "Muudetud", -"1 folder" => "1 kaust", -"{count} folders" => "{count} kausta", -"1 file" => "1 fail", -"{count} files" => "{count} faili", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "%s could not be renamed" => "%s ümbernimetamine ebaõnnestus", "Upload" => "Lae üles", "File handling" => "Failide käsitlemine", diff --git a/apps/files/l10n/eu.php b/apps/files/l10n/eu.php index 740f53d4e9a..7f29f09fc7f 100644 --- a/apps/files/l10n/eu.php +++ b/apps/files/l10n/eu.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => " {new_name}-k {old_name} ordezkatu du", "undo" => "desegin", "perform delete operation" => "Ezabatu", -"1 file uploading" => "fitxategi 1 igotzen", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "fitxategiak igotzen", "'.' is an invalid file name." => "'.' ez da fitxategi izen baliogarria.", "File name cannot be empty." => "Fitxategi izena ezin da hutsa izan.", @@ -46,10 +46,8 @@ $TRANSLATIONS = array( "Name" => "Izena", "Size" => "Tamaina", "Modified" => "Aldatuta", -"1 folder" => "karpeta bat", -"{count} folders" => "{count} karpeta", -"1 file" => "fitxategi bat", -"{count} files" => "{count} fitxategi", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "%s could not be renamed" => "%s ezin da berrizendatu", "Upload" => "Igo", "File handling" => "Fitxategien kudeaketa", diff --git a/apps/files/l10n/fa.php b/apps/files/l10n/fa.php index 9670afdd051..11f8cff3999 100644 --- a/apps/files/l10n/fa.php +++ b/apps/files/l10n/fa.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "{نام_جدید} با { نام_قدیمی} جایگزین شد.", "undo" => "بازگشت", "perform delete operation" => "انجام عمل حذف", -"1 file uploading" => "1 پرونده آپلود شد.", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "بارگذاری فایل ها", "'.' is an invalid file name." => "'.' یک نام پرونده نامعتبر است.", "File name cannot be empty." => "نام پرونده نمی تواند خالی باشد.", @@ -46,10 +46,8 @@ $TRANSLATIONS = array( "Name" => "نام", "Size" => "اندازه", "Modified" => "تاریخ", -"1 folder" => "1 پوشه", -"{count} folders" => "{ شمار} پوشه ها", -"1 file" => "1 پرونده", -"{count} files" => "{ شمار } فایل ها", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "%s could not be renamed" => "%s نمیتواند تغییر نام دهد.", "Upload" => "بارگزاری", "File handling" => "اداره پرونده ها", diff --git a/apps/files/l10n/fi_FI.php b/apps/files/l10n/fi_FI.php index 2d1bf8c4e3f..f0790b469b3 100644 --- a/apps/files/l10n/fi_FI.php +++ b/apps/files/l10n/fi_FI.php @@ -30,6 +30,7 @@ $TRANSLATIONS = array( "cancel" => "peru", "undo" => "kumoa", "perform delete operation" => "suorita poistotoiminto", +"_Uploading %n file_::_Uploading %n files_" => array(,), "'.' is an invalid file name." => "'.' on virheellinen nimi tiedostolle.", "File name cannot be empty." => "Tiedoston nimi ei voi olla tyhjä.", "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Virheellinen nimi, merkit '\\', '/', '<', '>', ':', '\"', '|', '?' ja '*' eivät ole sallittuja.", @@ -39,10 +40,8 @@ $TRANSLATIONS = array( "Name" => "Nimi", "Size" => "Koko", "Modified" => "Muokattu", -"1 folder" => "1 kansio", -"{count} folders" => "{count} kansiota", -"1 file" => "1 tiedosto", -"{count} files" => "{count} tiedostoa", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Upload" => "Lähetä", "File handling" => "Tiedostonhallinta", "Maximum upload size" => "Lähetettävän tiedoston suurin sallittu koko", diff --git a/apps/files/l10n/fr.php b/apps/files/l10n/fr.php index ad79a9f4999..9d5b7632a80 100644 --- a/apps/files/l10n/fr.php +++ b/apps/files/l10n/fr.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "{new_name} a été remplacé par {old_name}", "undo" => "annuler", "perform delete operation" => "effectuer l'opération de suppression", -"1 file uploading" => "1 fichier en cours d'envoi", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "fichiers en cours d'envoi", "'.' is an invalid file name." => "'.' n'est pas un nom de fichier valide.", "File name cannot be empty." => "Le nom de fichier ne peut être vide.", @@ -46,10 +46,8 @@ $TRANSLATIONS = array( "Name" => "Nom", "Size" => "Taille", "Modified" => "Modifié", -"1 folder" => "1 dossier", -"{count} folders" => "{count} dossiers", -"1 file" => "1 fichier", -"{count} files" => "{count} fichiers", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "%s could not be renamed" => "%s ne peut être renommé", "Upload" => "Envoyer", "File handling" => "Gestion des fichiers", diff --git a/apps/files/l10n/gl.php b/apps/files/l10n/gl.php index 02bbad53e43..0dc681a571a 100644 --- a/apps/files/l10n/gl.php +++ b/apps/files/l10n/gl.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "substituír {new_name} por {old_name}", "undo" => "desfacer", "perform delete operation" => "realizar a operación de eliminación", -"1 file uploading" => "Enviándose 1 ficheiro", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "ficheiros enviándose", "'.' is an invalid file name." => "«.» é un nome de ficheiro incorrecto", "File name cannot be empty." => "O nome de ficheiro non pode estar baleiro", @@ -46,10 +46,8 @@ $TRANSLATIONS = array( "Name" => "Nome", "Size" => "Tamaño", "Modified" => "Modificado", -"1 folder" => "1 cartafol", -"{count} folders" => "{count} cartafoles", -"1 file" => "1 ficheiro", -"{count} files" => "{count} ficheiros", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "%s could not be renamed" => "%s non pode cambiar de nome", "Upload" => "Enviar", "File handling" => "Manexo de ficheiro", diff --git a/apps/files/l10n/he.php b/apps/files/l10n/he.php index 8af6b0852ee..1868ffe1d65 100644 --- a/apps/files/l10n/he.php +++ b/apps/files/l10n/he.php @@ -30,16 +30,14 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "{new_name} הוחלף ב־{old_name}", "undo" => "ביטול", "perform delete operation" => "ביצוע פעולת מחיקה", -"1 file uploading" => "קובץ אחד נשלח", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "קבצים בהעלאה", "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "השם שגוי, אסור להשתמש בתווים '\\', '/', '<', '>', ':', '\"', '|', '?' ו־'*'.", "Name" => "שם", "Size" => "גודל", "Modified" => "זמן שינוי", -"1 folder" => "תיקייה אחת", -"{count} folders" => "{count} תיקיות", -"1 file" => "קובץ אחד", -"{count} files" => "{count} קבצים", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Upload" => "העלאה", "File handling" => "טיפול בקבצים", "Maximum upload size" => "גודל העלאה מקסימלי", diff --git a/apps/files/l10n/hi.php b/apps/files/l10n/hi.php index 48e2194256d..0066d8badda 100644 --- a/apps/files/l10n/hi.php +++ b/apps/files/l10n/hi.php @@ -2,6 +2,9 @@ $TRANSLATIONS = array( "Error" => "त्रुटि", "Share" => "साझा करें", +"_Uploading %n file_::_Uploading %n files_" => array(,), +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Save" => "सहेजें" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/apps/files/l10n/hr.php b/apps/files/l10n/hr.php index 6bc6904041a..a17161b0092 100644 --- a/apps/files/l10n/hr.php +++ b/apps/files/l10n/hr.php @@ -19,11 +19,13 @@ $TRANSLATIONS = array( "suggest name" => "predloži ime", "cancel" => "odustani", "undo" => "vrati", -"1 file uploading" => "1 datoteka se učitava", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "datoteke se učitavaju", "Name" => "Ime", "Size" => "Veličina", "Modified" => "Zadnja promjena", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Upload" => "Učitaj", "File handling" => "datoteka za rukovanje", "Maximum upload size" => "Maksimalna veličina prijenosa", diff --git a/apps/files/l10n/hu_HU.php b/apps/files/l10n/hu_HU.php index 061fb27f0f5..30bffdf1082 100644 --- a/apps/files/l10n/hu_HU.php +++ b/apps/files/l10n/hu_HU.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "{new_name} fájlt kicseréltük ezzel: {old_name}", "undo" => "visszavonás", "perform delete operation" => "a törlés végrehajtása", -"1 file uploading" => "1 fájl töltődik föl", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "fájl töltődik föl", "'.' is an invalid file name." => "'.' fájlnév érvénytelen.", "File name cannot be empty." => "A fájlnév nem lehet semmi.", @@ -46,10 +46,8 @@ $TRANSLATIONS = array( "Name" => "Név", "Size" => "Méret", "Modified" => "Módosítva", -"1 folder" => "1 mappa", -"{count} folders" => "{count} mappa", -"1 file" => "1 fájl", -"{count} files" => "{count} fájl", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "%s could not be renamed" => "%s átnevezése nem sikerült", "Upload" => "Feltöltés", "File handling" => "Fájlkezelés", diff --git a/apps/files/l10n/hy.php b/apps/files/l10n/hy.php index 101734c01dd..4d4f4c0c775 100644 --- a/apps/files/l10n/hy.php +++ b/apps/files/l10n/hy.php @@ -1,6 +1,9 @@ "Ջնջել", +"_Uploading %n file_::_Uploading %n files_" => array(,), +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Save" => "Պահպանել", "Download" => "Բեռնել" ); diff --git a/apps/files/l10n/ia.php b/apps/files/l10n/ia.php index 2ccd559469d..af42d2f05e9 100644 --- a/apps/files/l10n/ia.php +++ b/apps/files/l10n/ia.php @@ -7,9 +7,12 @@ $TRANSLATIONS = array( "Error" => "Error", "Share" => "Compartir", "Delete" => "Deler", +"_Uploading %n file_::_Uploading %n files_" => array(,), "Name" => "Nomine", "Size" => "Dimension", "Modified" => "Modificate", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Upload" => "Incargar", "Maximum upload size" => "Dimension maxime de incargamento", "Save" => "Salveguardar", diff --git a/apps/files/l10n/id.php b/apps/files/l10n/id.php index 4b6bf8a32b9..79dd9e727a3 100644 --- a/apps/files/l10n/id.php +++ b/apps/files/l10n/id.php @@ -31,7 +31,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "mengganti {new_name} dengan {old_name}", "undo" => "urungkan", "perform delete operation" => "Lakukan operasi penghapusan", -"1 file uploading" => "1 berkas diunggah", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "berkas diunggah", "'.' is an invalid file name." => "'.' bukan nama berkas yang valid.", "File name cannot be empty." => "Nama berkas tidak boleh kosong.", @@ -43,10 +43,8 @@ $TRANSLATIONS = array( "Name" => "Nama", "Size" => "Ukuran", "Modified" => "Dimodifikasi", -"1 folder" => "1 folder", -"{count} folders" => "{count} folder", -"1 file" => "1 berkas", -"{count} files" => "{count} berkas", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Upload" => "Unggah", "File handling" => "Penanganan berkas", "Maximum upload size" => "Ukuran pengunggahan maksimum", diff --git a/apps/files/l10n/is.php b/apps/files/l10n/is.php index 8a131b20c8f..4e089be877c 100644 --- a/apps/files/l10n/is.php +++ b/apps/files/l10n/is.php @@ -28,7 +28,7 @@ $TRANSLATIONS = array( "cancel" => "hætta við", "replaced {new_name} with {old_name}" => "yfirskrifaði {new_name} með {old_name}", "undo" => "afturkalla", -"1 file uploading" => "1 skrá innsend", +"_Uploading %n file_::_Uploading %n files_" => array(,), "'.' is an invalid file name." => "'.' er ekki leyfilegt nafn.", "File name cannot be empty." => "Nafn skráar má ekki vera tómt", "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Ógilt nafn, táknin '\\', '/', '<', '>', ':', '\"', '|', '?' og '*' eru ekki leyfð.", @@ -36,10 +36,8 @@ $TRANSLATIONS = array( "Name" => "Nafn", "Size" => "Stærð", "Modified" => "Breytt", -"1 folder" => "1 mappa", -"{count} folders" => "{count} möppur", -"1 file" => "1 skrá", -"{count} files" => "{count} skrár", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Upload" => "Senda inn", "File handling" => "Meðhöndlun skrár", "Maximum upload size" => "Hámarks stærð innsendingar", diff --git a/apps/files/l10n/it.php b/apps/files/l10n/it.php index e5e4bd03bb3..34d4a752e37 100644 --- a/apps/files/l10n/it.php +++ b/apps/files/l10n/it.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "sostituito {new_name} con {old_name}", "undo" => "annulla", "perform delete operation" => "esegui l'operazione di eliminazione", -"1 file uploading" => "1 file in fase di caricamento", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "caricamento file", "'.' is an invalid file name." => "'.' non è un nome file valido.", "File name cannot be empty." => "Il nome del file non può essere vuoto.", @@ -46,10 +46,8 @@ $TRANSLATIONS = array( "Name" => "Nome", "Size" => "Dimensione", "Modified" => "Modificato", -"1 folder" => "1 cartella", -"{count} folders" => "{count} cartelle", -"1 file" => "1 file", -"{count} files" => "{count} file", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "%s could not be renamed" => "%s non può essere rinominato", "Upload" => "Carica", "File handling" => "Gestione file", diff --git a/apps/files/l10n/ja_JP.php b/apps/files/l10n/ja_JP.php index 0902353a171..6124d22b2f4 100644 --- a/apps/files/l10n/ja_JP.php +++ b/apps/files/l10n/ja_JP.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "{old_name} を {new_name} に置換", "undo" => "元に戻す", "perform delete operation" => "削除を実行", -"1 file uploading" => "ファイルを1つアップロード中", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "ファイルをアップロード中", "'.' is an invalid file name." => "'.' は無効なファイル名です。", "File name cannot be empty." => "ファイル名を空にすることはできません。", @@ -46,10 +46,8 @@ $TRANSLATIONS = array( "Name" => "名前", "Size" => "サイズ", "Modified" => "変更", -"1 folder" => "1 フォルダ", -"{count} folders" => "{count} フォルダ", -"1 file" => "1 ファイル", -"{count} files" => "{count} ファイル", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "%s could not be renamed" => "%sの名前を変更できませんでした", "Upload" => "アップロード", "File handling" => "ファイル操作", diff --git a/apps/files/l10n/ka.php b/apps/files/l10n/ka.php index bbc70614cfc..32c41840e5a 100644 --- a/apps/files/l10n/ka.php +++ b/apps/files/l10n/ka.php @@ -1,6 +1,9 @@ "ფაილები", +"_Uploading %n file_::_Uploading %n files_" => array(,), +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Download" => "გადმოწერა" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/apps/files/l10n/ka_GE.php b/apps/files/l10n/ka_GE.php index f6bf618106a..63bbfd70326 100644 --- a/apps/files/l10n/ka_GE.php +++ b/apps/files/l10n/ka_GE.php @@ -31,7 +31,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "{new_name} შეცვლილია {old_name}–ით", "undo" => "დაბრუნება", "perform delete operation" => "მიმდინარეობს წაშლის ოპერაცია", -"1 file uploading" => "1 ფაილის ატვირთვა", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "ფაილები იტვირთება", "'.' is an invalid file name." => "'.' არის დაუშვებელი ფაილის სახელი.", "File name cannot be empty." => "ფაილის სახელი არ შეიძლება იყოს ცარიელი.", @@ -43,10 +43,8 @@ $TRANSLATIONS = array( "Name" => "სახელი", "Size" => "ზომა", "Modified" => "შეცვლილია", -"1 folder" => "1 საქაღალდე", -"{count} folders" => "{count} საქაღალდე", -"1 file" => "1 ფაილი", -"{count} files" => "{count} ფაილი", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Upload" => "ატვირთვა", "File handling" => "ფაილის დამუშავება", "Maximum upload size" => "მაქსიმუმ ატვირთის ზომა", diff --git a/apps/files/l10n/ko.php b/apps/files/l10n/ko.php index d68fb162d07..ce3445c3660 100644 --- a/apps/files/l10n/ko.php +++ b/apps/files/l10n/ko.php @@ -31,7 +31,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "{old_name}이(가) {new_name}(으)로 대체됨", "undo" => "되돌리기", "perform delete operation" => "삭제 작업중", -"1 file uploading" => "파일 1개 업로드 중", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "파일 업로드중", "'.' is an invalid file name." => "'.' 는 올바르지 않은 파일 이름 입니다.", "File name cannot be empty." => "파일 이름이 비어 있을 수 없습니다.", @@ -43,10 +43,8 @@ $TRANSLATIONS = array( "Name" => "이름", "Size" => "크기", "Modified" => "수정됨", -"1 folder" => "폴더 1개", -"{count} folders" => "폴더 {count}개", -"1 file" => "파일 1개", -"{count} files" => "파일 {count}개", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Upload" => "업로드", "File handling" => "파일 처리", "Maximum upload size" => "최대 업로드 크기", diff --git a/apps/files/l10n/ku_IQ.php b/apps/files/l10n/ku_IQ.php index ad85edaa0de..76a66b06cc6 100644 --- a/apps/files/l10n/ku_IQ.php +++ b/apps/files/l10n/ku_IQ.php @@ -2,7 +2,10 @@ $TRANSLATIONS = array( "URL cannot be empty." => "ناونیشانی به‌سته‌ر نابێت به‌تاڵ بێت.", "Error" => "هه‌ڵه", +"_Uploading %n file_::_Uploading %n files_" => array(,), "Name" => "ناو", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Upload" => "بارکردن", "Save" => "پاشکه‌وتکردن", "Folder" => "بوخچه", diff --git a/apps/files/l10n/lb.php b/apps/files/l10n/lb.php index 762d9189fb8..eb27a535e9c 100644 --- a/apps/files/l10n/lb.php +++ b/apps/files/l10n/lb.php @@ -16,9 +16,12 @@ $TRANSLATIONS = array( "replace" => "ersetzen", "cancel" => "ofbriechen", "undo" => "réckgängeg man", +"_Uploading %n file_::_Uploading %n files_" => array(,), "Name" => "Numm", "Size" => "Gréisst", "Modified" => "Geännert", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Upload" => "Eroplueden", "File handling" => "Fichier handling", "Maximum upload size" => "Maximum Upload Gréisst ", diff --git a/apps/files/l10n/lt_LT.php b/apps/files/l10n/lt_LT.php index c2d0fee6e6e..9580e64fda9 100644 --- a/apps/files/l10n/lt_LT.php +++ b/apps/files/l10n/lt_LT.php @@ -32,7 +32,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "pakeiskite {new_name} į {old_name}", "undo" => "anuliuoti", "perform delete operation" => "ištrinti", -"1 file uploading" => "įkeliamas 1 failas", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "įkeliami failai", "'.' is an invalid file name." => "'.' yra neleidžiamas failo pavadinime.", "File name cannot be empty." => "Failo pavadinimas negali būti tuščias.", @@ -44,10 +44,8 @@ $TRANSLATIONS = array( "Name" => "Pavadinimas", "Size" => "Dydis", "Modified" => "Pakeista", -"1 folder" => "1 aplankalas", -"{count} folders" => "{count} aplankalai", -"1 file" => "1 failas", -"{count} files" => "{count} failai", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Upload" => "Įkelti", "File handling" => "Failų tvarkymas", "Maximum upload size" => "Maksimalus įkeliamo failo dydis", diff --git a/apps/files/l10n/lv.php b/apps/files/l10n/lv.php index 24161cb2a69..5012c9776ee 100644 --- a/apps/files/l10n/lv.php +++ b/apps/files/l10n/lv.php @@ -31,7 +31,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "aizvietoja {new_name} ar {old_name}", "undo" => "atsaukt", "perform delete operation" => "veikt dzēšanas darbību", -"1 file uploading" => "Augšupielādē 1 datni", +"_Uploading %n file_::_Uploading %n files_" => array(,), "'.' is an invalid file name." => "'.' ir nederīgs datnes nosaukums.", "File name cannot be empty." => "Datnes nosaukums nevar būt tukšs.", "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Nederīgs nosaukums, nav atļauti '\\', '/', '<', '>', ':', '\"', '|', '?' un '*'.", @@ -42,10 +42,8 @@ $TRANSLATIONS = array( "Name" => "Nosaukums", "Size" => "Izmērs", "Modified" => "Mainīts", -"1 folder" => "1 mape", -"{count} folders" => "{count} mapes", -"1 file" => "1 datne", -"{count} files" => "{count} datnes", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Upload" => "Augšupielādēt", "File handling" => "Datņu pārvaldība", "Maximum upload size" => "Maksimālais datņu augšupielādes apjoms", diff --git a/apps/files/l10n/mk.php b/apps/files/l10n/mk.php index a922876553b..a1cadeedcc2 100644 --- a/apps/files/l10n/mk.php +++ b/apps/files/l10n/mk.php @@ -24,15 +24,13 @@ $TRANSLATIONS = array( "cancel" => "откажи", "replaced {new_name} with {old_name}" => "заменета {new_name} со {old_name}", "undo" => "врати", -"1 file uploading" => "1 датотека се подига", +"_Uploading %n file_::_Uploading %n files_" => array(,), "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Неправилно име. , '\\', '/', '<', '>', ':', '\"', '|', '?' и '*' не се дозволени.", "Name" => "Име", "Size" => "Големина", "Modified" => "Променето", -"1 folder" => "1 папка", -"{count} folders" => "{count} папки", -"1 file" => "1 датотека", -"{count} files" => "{count} датотеки", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Upload" => "Подигни", "File handling" => "Ракување со датотеки", "Maximum upload size" => "Максимална големина за подигање", diff --git a/apps/files/l10n/ms_MY.php b/apps/files/l10n/ms_MY.php index 48ef8587cab..9ea8d2fd43d 100644 --- a/apps/files/l10n/ms_MY.php +++ b/apps/files/l10n/ms_MY.php @@ -16,9 +16,12 @@ $TRANSLATIONS = array( "Pending" => "Dalam proses", "replace" => "ganti", "cancel" => "Batal", +"_Uploading %n file_::_Uploading %n files_" => array(,), "Name" => "Nama", "Size" => "Saiz", "Modified" => "Dimodifikasi", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Upload" => "Muat naik", "File handling" => "Pengendalian fail", "Maximum upload size" => "Saiz maksimum muat naik", diff --git a/apps/files/l10n/my_MM.php b/apps/files/l10n/my_MM.php index c94cc5fd6f4..dbade02e9cf 100644 --- a/apps/files/l10n/my_MM.php +++ b/apps/files/l10n/my_MM.php @@ -1,6 +1,9 @@ "ဖိုင်များ", +"_Uploading %n file_::_Uploading %n files_" => array(,), +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Download" => "ဒေါင်းလုတ်" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/apps/files/l10n/nb_NO.php b/apps/files/l10n/nb_NO.php index 15104914fd8..d198f3762dc 100644 --- a/apps/files/l10n/nb_NO.php +++ b/apps/files/l10n/nb_NO.php @@ -33,7 +33,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "erstatt {new_name} med {old_name}", "undo" => "angre", "perform delete operation" => "utfør sletting", -"1 file uploading" => "1 fil lastes opp", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "filer lastes opp", "'.' is an invalid file name." => "'.' er et ugyldig filnavn.", "File name cannot be empty." => "Filnavn kan ikke være tomt.", @@ -45,10 +45,8 @@ $TRANSLATIONS = array( "Name" => "Navn", "Size" => "Størrelse", "Modified" => "Endret", -"1 folder" => "1 mappe", -"{count} folders" => "{count} mapper", -"1 file" => "1 fil", -"{count} files" => "{count} filer", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Upload" => "Last opp", "File handling" => "Filhåndtering", "Maximum upload size" => "Maksimum opplastingsstørrelse", diff --git a/apps/files/l10n/nl.php b/apps/files/l10n/nl.php index d0f6542f1fe..63d75a1a36f 100644 --- a/apps/files/l10n/nl.php +++ b/apps/files/l10n/nl.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "verving {new_name} met {old_name}", "undo" => "ongedaan maken", "perform delete operation" => "uitvoeren verwijderactie", -"1 file uploading" => "1 bestand wordt ge-upload", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "bestanden aan het uploaden", "'.' is an invalid file name." => "'.' is een ongeldige bestandsnaam.", "File name cannot be empty." => "Bestandsnaam kan niet leeg zijn.", @@ -46,10 +46,8 @@ $TRANSLATIONS = array( "Name" => "Naam", "Size" => "Grootte", "Modified" => "Aangepast", -"1 folder" => "1 map", -"{count} folders" => "{count} mappen", -"1 file" => "1 bestand", -"{count} files" => "{count} bestanden", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "%s could not be renamed" => "%s kon niet worden hernoemd", "Upload" => "Uploaden", "File handling" => "Bestand", diff --git a/apps/files/l10n/nn_NO.php b/apps/files/l10n/nn_NO.php index 2e1a5a5cfcb..1dd706913e6 100644 --- a/apps/files/l10n/nn_NO.php +++ b/apps/files/l10n/nn_NO.php @@ -32,7 +32,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "bytte ut {new_name} med {old_name}", "undo" => "angre", "perform delete operation" => "utfør sletting", -"1 file uploading" => "1 fil lastar opp", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "filer lastar opp", "'.' is an invalid file name." => "«.» er eit ugyldig filnamn.", "File name cannot be empty." => "Filnamnet kan ikkje vera tomt.", @@ -44,10 +44,8 @@ $TRANSLATIONS = array( "Name" => "Namn", "Size" => "Storleik", "Modified" => "Endra", -"1 folder" => "1 mappe", -"{count} folders" => "{count} mapper", -"1 file" => "1 fil", -"{count} files" => "{count} filer", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Upload" => "Last opp", "File handling" => "Filhandtering", "Maximum upload size" => "Maksimal opplastingsstorleik", diff --git a/apps/files/l10n/oc.php b/apps/files/l10n/oc.php index 382a4b2158b..fd3d20dac89 100644 --- a/apps/files/l10n/oc.php +++ b/apps/files/l10n/oc.php @@ -19,11 +19,13 @@ $TRANSLATIONS = array( "suggest name" => "nom prepausat", "cancel" => "anulla", "undo" => "defar", -"1 file uploading" => "1 fichièr al amontcargar", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "fichièrs al amontcargar", "Name" => "Nom", "Size" => "Talha", "Modified" => "Modificat", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Upload" => "Amontcarga", "File handling" => "Manejament de fichièr", "Maximum upload size" => "Talha maximum d'amontcargament", diff --git a/apps/files/l10n/pl.php b/apps/files/l10n/pl.php index fc37234fc66..febcd84a3e1 100644 --- a/apps/files/l10n/pl.php +++ b/apps/files/l10n/pl.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "zastąpiono {new_name} przez {old_name}", "undo" => "cofnij", "perform delete operation" => "wykonaj operację usunięcia", -"1 file uploading" => "1 plik wczytywany", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "pliki wczytane", "'.' is an invalid file name." => "„.” jest nieprawidłową nazwą pliku.", "File name cannot be empty." => "Nazwa pliku nie może być pusta.", @@ -46,10 +46,8 @@ $TRANSLATIONS = array( "Name" => "Nazwa", "Size" => "Rozmiar", "Modified" => "Modyfikacja", -"1 folder" => "1 folder", -"{count} folders" => "Ilość folderów: {count}", -"1 file" => "1 plik", -"{count} files" => "Ilość plików: {count}", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "%s could not be renamed" => "%s nie można zmienić nazwy", "Upload" => "Wyślij", "File handling" => "Zarządzanie plikami", diff --git a/apps/files/l10n/pt_BR.php b/apps/files/l10n/pt_BR.php index 421de07c2b7..948cd451da2 100644 --- a/apps/files/l10n/pt_BR.php +++ b/apps/files/l10n/pt_BR.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "Substituído {old_name} por {new_name} ", "undo" => "desfazer", "perform delete operation" => "realizar operação de exclusão", -"1 file uploading" => "enviando 1 arquivo", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "enviando arquivos", "'.' is an invalid file name." => "'.' é um nome de arquivo inválido.", "File name cannot be empty." => "O nome do arquivo não pode estar vazio.", @@ -46,10 +46,8 @@ $TRANSLATIONS = array( "Name" => "Nome", "Size" => "Tamanho", "Modified" => "Modificado", -"1 folder" => "1 pasta", -"{count} folders" => "{count} pastas", -"1 file" => "1 arquivo", -"{count} files" => "{count} arquivos", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "%s could not be renamed" => "%s não pode ser renomeado", "Upload" => "Upload", "File handling" => "Tratamento de Arquivo", diff --git a/apps/files/l10n/pt_PT.php b/apps/files/l10n/pt_PT.php index c9b98bbed49..0ff9381a1a4 100644 --- a/apps/files/l10n/pt_PT.php +++ b/apps/files/l10n/pt_PT.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "substituido {new_name} por {old_name}", "undo" => "desfazer", "perform delete operation" => "Executar a tarefa de apagar", -"1 file uploading" => "A enviar 1 ficheiro", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "A enviar os ficheiros", "'.' is an invalid file name." => "'.' não é um nome de ficheiro válido!", "File name cannot be empty." => "O nome do ficheiro não pode estar vazio.", @@ -46,10 +46,8 @@ $TRANSLATIONS = array( "Name" => "Nome", "Size" => "Tamanho", "Modified" => "Modificado", -"1 folder" => "1 pasta", -"{count} folders" => "{count} pastas", -"1 file" => "1 ficheiro", -"{count} files" => "{count} ficheiros", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "%s could not be renamed" => "%s não pode ser renomeada", "Upload" => "Carregar", "File handling" => "Manuseamento de ficheiros", diff --git a/apps/files/l10n/ro.php b/apps/files/l10n/ro.php index c9b340ff9be..b31c1247791 100644 --- a/apps/files/l10n/ro.php +++ b/apps/files/l10n/ro.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "{new_name} inlocuit cu {old_name}", "undo" => "Anulează ultima acțiune", "perform delete operation" => "efectueaza operatiunea de stergere", -"1 file uploading" => "un fișier se încarcă", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "fișiere se încarcă", "'.' is an invalid file name." => "'.' este un nume invalid de fișier.", "File name cannot be empty." => "Numele fișierului nu poate rămâne gol.", @@ -46,10 +46,8 @@ $TRANSLATIONS = array( "Name" => "Nume", "Size" => "Dimensiune", "Modified" => "Modificat", -"1 folder" => "1 folder", -"{count} folders" => "{count} foldare", -"1 file" => "1 fisier", -"{count} files" => "{count} fisiere", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "%s could not be renamed" => "%s nu a putut fi redenumit", "Upload" => "Încărcare", "File handling" => "Manipulare fișiere", diff --git a/apps/files/l10n/ru.php b/apps/files/l10n/ru.php index 4d3bec02742..b31bdd97e5a 100644 --- a/apps/files/l10n/ru.php +++ b/apps/files/l10n/ru.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "заменено {new_name} на {old_name}", "undo" => "отмена", "perform delete operation" => "выполнить операцию удаления", -"1 file uploading" => "загружается 1 файл", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "файлы загружаются", "'.' is an invalid file name." => "'.' - неправильное имя файла.", "File name cannot be empty." => "Имя файла не может быть пустым.", @@ -46,10 +46,8 @@ $TRANSLATIONS = array( "Name" => "Имя", "Size" => "Размер", "Modified" => "Изменён", -"1 folder" => "1 папка", -"{count} folders" => "{count} папок", -"1 file" => "1 файл", -"{count} files" => "{count} файлов", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "%s could not be renamed" => "%s не может быть переименован", "Upload" => "Загрузка", "File handling" => "Управление файлами", diff --git a/apps/files/l10n/si_LK.php b/apps/files/l10n/si_LK.php index 4f576af17e5..ac5ad960a49 100644 --- a/apps/files/l10n/si_LK.php +++ b/apps/files/l10n/si_LK.php @@ -19,12 +19,12 @@ $TRANSLATIONS = array( "suggest name" => "නමක් යෝජනා කරන්න", "cancel" => "අත් හරින්න", "undo" => "නිෂ්ප්‍රභ කරන්න", -"1 file uploading" => "1 ගොනුවක් උඩගත කෙරේ", +"_Uploading %n file_::_Uploading %n files_" => array(,), "Name" => "නම", "Size" => "ප්‍රමාණය", "Modified" => "වෙනස් කළ", -"1 folder" => "1 ෆොල්ඩරයක්", -"1 file" => "1 ගොනුවක්", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Upload" => "උඩුගත කරන්න", "File handling" => "ගොනු පරිහරණය", "Maximum upload size" => "උඩුගත කිරීමක උපරිම ප්‍රමාණය", diff --git a/apps/files/l10n/sk_SK.php b/apps/files/l10n/sk_SK.php index f0220822d0a..88e5818cfbb 100644 --- a/apps/files/l10n/sk_SK.php +++ b/apps/files/l10n/sk_SK.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "prepísaný {new_name} súborom {old_name}", "undo" => "vrátiť", "perform delete operation" => "vykonať zmazanie", -"1 file uploading" => "1 súbor sa posiela ", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "nahrávanie súborov", "'.' is an invalid file name." => "'.' je neplatné meno súboru.", "File name cannot be empty." => "Meno súboru nemôže byť prázdne", @@ -46,10 +46,8 @@ $TRANSLATIONS = array( "Name" => "Názov", "Size" => "Veľkosť", "Modified" => "Upravené", -"1 folder" => "1 priečinok", -"{count} folders" => "{count} priečinkov", -"1 file" => "1 súbor", -"{count} files" => "{count} súborov", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "%s could not be renamed" => "%s nemohol byť premenovaný", "Upload" => "Odoslať", "File handling" => "Nastavenie správania sa k súborom", diff --git a/apps/files/l10n/sl.php b/apps/files/l10n/sl.php index 85daabf6cf1..89397e2e420 100644 --- a/apps/files/l10n/sl.php +++ b/apps/files/l10n/sl.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "preimenovano ime {new_name} z imenom {old_name}", "undo" => "razveljavi", "perform delete operation" => "izvedi opravilo brisanja", -"1 file uploading" => "Pošiljanje 1 datoteke", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "poteka pošiljanje datotek", "'.' is an invalid file name." => "'.' je neveljavno ime datoteke.", "File name cannot be empty." => "Ime datoteke ne sme biti prazno polje.", @@ -46,10 +46,8 @@ $TRANSLATIONS = array( "Name" => "Ime", "Size" => "Velikost", "Modified" => "Spremenjeno", -"1 folder" => "1 mapa", -"{count} folders" => "{count} map", -"1 file" => "1 datoteka", -"{count} files" => "{count} datotek", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "%s could not be renamed" => "%s ni bilo mogoče preimenovati", "Upload" => "Pošlji", "File handling" => "Upravljanje z datotekami", diff --git a/apps/files/l10n/sq.php b/apps/files/l10n/sq.php index 91f53fc00bb..5ad8de8aa5a 100644 --- a/apps/files/l10n/sq.php +++ b/apps/files/l10n/sq.php @@ -31,7 +31,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "U zëvëndësua {new_name} me {old_name}", "undo" => "anulo", "perform delete operation" => "ekzekuto operacionin e eliminimit", -"1 file uploading" => "Po ngarkohet 1 skedar", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "po ngarkoj skedarët", "'.' is an invalid file name." => "'.' është emër i pavlefshëm.", "File name cannot be empty." => "Emri i skedarit nuk mund të jetë bosh.", @@ -43,10 +43,8 @@ $TRANSLATIONS = array( "Name" => "Emri", "Size" => "Dimensioni", "Modified" => "Modifikuar", -"1 folder" => "1 dosje", -"{count} folders" => "{count} dosje", -"1 file" => "1 skedar", -"{count} files" => "{count} skedarë", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Upload" => "Ngarko", "File handling" => "Trajtimi i skedarit", "Maximum upload size" => "Dimensioni maksimal i ngarkimit", diff --git a/apps/files/l10n/sr.php b/apps/files/l10n/sr.php index 09d1683a915..8907b7ab2c9 100644 --- a/apps/files/l10n/sr.php +++ b/apps/files/l10n/sr.php @@ -31,7 +31,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "замењено {new_name} са {old_name}", "undo" => "опозови", "perform delete operation" => "обриши", -"1 file uploading" => "Отпремам 1 датотеку", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "датотеке се отпремају", "'.' is an invalid file name." => "Датотека „.“ је неисправног имена.", "File name cannot be empty." => "Име датотеке не може бити празно.", @@ -43,10 +43,8 @@ $TRANSLATIONS = array( "Name" => "Име", "Size" => "Величина", "Modified" => "Измењено", -"1 folder" => "1 фасцикла", -"{count} folders" => "{count} фасцикле/и", -"1 file" => "1 датотека", -"{count} files" => "{count} датотеке/а", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Upload" => "Отпреми", "File handling" => "Управљање датотекама", "Maximum upload size" => "Највећа величина датотеке", diff --git a/apps/files/l10n/sr@latin.php b/apps/files/l10n/sr@latin.php index 5b425aaa963..441253c5c81 100644 --- a/apps/files/l10n/sr@latin.php +++ b/apps/files/l10n/sr@latin.php @@ -7,9 +7,12 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Nedostaje privremena fascikla", "Files" => "Fajlovi", "Delete" => "Obriši", +"_Uploading %n file_::_Uploading %n files_" => array(,), "Name" => "Ime", "Size" => "Veličina", "Modified" => "Zadnja izmena", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Upload" => "Pošalji", "Maximum upload size" => "Maksimalna veličina pošiljke", "Save" => "Snimi", diff --git a/apps/files/l10n/sv.php b/apps/files/l10n/sv.php index 41206423cfe..a96e1e8e4ab 100644 --- a/apps/files/l10n/sv.php +++ b/apps/files/l10n/sv.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "ersatt {new_name} med {old_name}", "undo" => "ångra", "perform delete operation" => "utför raderingen", -"1 file uploading" => "1 filuppladdning", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "filer laddas upp", "'.' is an invalid file name." => "'.' är ett ogiltigt filnamn.", "File name cannot be empty." => "Filnamn kan inte vara tomt.", @@ -46,10 +46,8 @@ $TRANSLATIONS = array( "Name" => "Namn", "Size" => "Storlek", "Modified" => "Ändrad", -"1 folder" => "1 mapp", -"{count} folders" => "{count} mappar", -"1 file" => "1 fil", -"{count} files" => "{count} filer", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "%s could not be renamed" => "%s kunde inte namnändras", "Upload" => "Ladda upp", "File handling" => "Filhantering", diff --git a/apps/files/l10n/ta_LK.php b/apps/files/l10n/ta_LK.php index 616248d87b9..64680ede69f 100644 --- a/apps/files/l10n/ta_LK.php +++ b/apps/files/l10n/ta_LK.php @@ -23,15 +23,13 @@ $TRANSLATIONS = array( "cancel" => "இரத்து செய்க", "replaced {new_name} with {old_name}" => "{new_name} ஆனது {old_name} இனால் மாற்றப்பட்டது", "undo" => "முன் செயல் நீக்கம் ", -"1 file uploading" => "1 கோப்பு பதிவேற்றப்படுகிறது", +"_Uploading %n file_::_Uploading %n files_" => array(,), "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "செல்லுபடியற்ற பெயர்,'\\', '/', '<', '>', ':', '\"', '|', '?' மற்றும் '*' ஆகியன அனுமதிக்கப்படமாட்டாது.", "Name" => "பெயர்", "Size" => "அளவு", "Modified" => "மாற்றப்பட்டது", -"1 folder" => "1 கோப்புறை", -"{count} folders" => "{எண்ணிக்கை} கோப்புறைகள்", -"1 file" => "1 கோப்பு", -"{count} files" => "{எண்ணிக்கை} கோப்புகள்", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Upload" => "பதிவேற்றுக", "File handling" => "கோப்பு கையாளுதல்", "Maximum upload size" => "பதிவேற்றக்கூடிய ஆகக்கூடிய அளவு ", diff --git a/apps/files/l10n/te.php b/apps/files/l10n/te.php index bb729b0187e..df03fc9824f 100644 --- a/apps/files/l10n/te.php +++ b/apps/files/l10n/te.php @@ -4,8 +4,11 @@ $TRANSLATIONS = array( "Delete permanently" => "శాశ్వతంగా తొలగించు", "Delete" => "తొలగించు", "cancel" => "రద్దుచేయి", +"_Uploading %n file_::_Uploading %n files_" => array(,), "Name" => "పేరు", "Size" => "పరిమాణం", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Save" => "భద్రపరచు", "Folder" => "సంచయం" ); diff --git a/apps/files/l10n/th_TH.php b/apps/files/l10n/th_TH.php index b480237008b..bfdc1c072f4 100644 --- a/apps/files/l10n/th_TH.php +++ b/apps/files/l10n/th_TH.php @@ -30,7 +30,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "แทนที่ {new_name} ด้วย {old_name} แล้ว", "undo" => "เลิกทำ", "perform delete operation" => "ดำเนินการตามคำสั่งลบ", -"1 file uploading" => "กำลังอัพโหลดไฟล์ 1 ไฟล์", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "การอัพโหลดไฟล์", "'.' is an invalid file name." => "'.' เป็นชื่อไฟล์ที่ไม่ถูกต้อง", "File name cannot be empty." => "ชื่อไฟล์ไม่สามารถเว้นว่างได้", @@ -42,10 +42,8 @@ $TRANSLATIONS = array( "Name" => "ชื่อ", "Size" => "ขนาด", "Modified" => "แก้ไขแล้ว", -"1 folder" => "1 โฟลเดอร์", -"{count} folders" => "{count} โฟลเดอร์", -"1 file" => "1 ไฟล์", -"{count} files" => "{count} ไฟล์", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Upload" => "อัพโหลด", "File handling" => "การจัดกาไฟล์", "Maximum upload size" => "ขนาดไฟล์สูงสุดที่อัพโหลดได้", diff --git a/apps/files/l10n/tr.php b/apps/files/l10n/tr.php index 351b23cb951..9c597142210 100644 --- a/apps/files/l10n/tr.php +++ b/apps/files/l10n/tr.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "{new_name} ismi {old_name} ile değiştirildi", "undo" => "geri al", "perform delete operation" => "Silme işlemini gerçekleştir", -"1 file uploading" => "1 dosya yüklendi", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "Dosyalar yükleniyor", "'.' is an invalid file name." => "'.' geçersiz dosya adı.", "File name cannot be empty." => "Dosya adı boş olamaz.", @@ -46,10 +46,8 @@ $TRANSLATIONS = array( "Name" => "İsim", "Size" => "Boyut", "Modified" => "Değiştirilme", -"1 folder" => "1 dizin", -"{count} folders" => "{count} dizin", -"1 file" => "1 dosya", -"{count} files" => "{count} dosya", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "%s could not be renamed" => "%s yeniden adlandırılamadı", "Upload" => "Yükle", "File handling" => "Dosya taşıma", diff --git a/apps/files/l10n/ug.php b/apps/files/l10n/ug.php index 819b46c50c2..0b649b9eeb2 100644 --- a/apps/files/l10n/ug.php +++ b/apps/files/l10n/ug.php @@ -21,14 +21,13 @@ $TRANSLATIONS = array( "suggest name" => "تەۋسىيە ئات", "cancel" => "ۋاز كەچ", "undo" => "يېنىۋال", -"1 file uploading" => "1 ھۆججەت يۈكلىنىۋاتىدۇ", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "ھۆججەت يۈكلىنىۋاتىدۇ", "Name" => "ئاتى", "Size" => "چوڭلۇقى", "Modified" => "ئۆزگەرتكەن", -"1 folder" => "1 قىسقۇچ", -"1 file" => "1 ھۆججەت", -"{count} files" => "{count} ھۆججەت", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Upload" => "يۈكلە", "Save" => "ساقلا", "New" => "يېڭى", diff --git a/apps/files/l10n/uk.php b/apps/files/l10n/uk.php index ad40f16e8b6..122f0c696a8 100644 --- a/apps/files/l10n/uk.php +++ b/apps/files/l10n/uk.php @@ -31,7 +31,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "замінено {new_name} на {old_name}", "undo" => "відмінити", "perform delete operation" => "виконати операцію видалення", -"1 file uploading" => "1 файл завантажується", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "файли завантажуються", "'.' is an invalid file name." => "'.' це невірне ім'я файлу.", "File name cannot be empty." => " Ім'я файлу не може бути порожнім.", @@ -43,10 +43,8 @@ $TRANSLATIONS = array( "Name" => "Ім'я", "Size" => "Розмір", "Modified" => "Змінено", -"1 folder" => "1 папка", -"{count} folders" => "{count} папок", -"1 file" => "1 файл", -"{count} files" => "{count} файлів", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "%s could not be renamed" => "%s не може бути перейменований", "Upload" => "Вивантажити", "File handling" => "Робота з файлами", diff --git a/apps/files/l10n/ur_PK.php b/apps/files/l10n/ur_PK.php index 1f083455369..8cdde14c26d 100644 --- a/apps/files/l10n/ur_PK.php +++ b/apps/files/l10n/ur_PK.php @@ -1,6 +1,9 @@ "ایرر", +"_Uploading %n file_::_Uploading %n files_" => array(,), +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Unshare" => "شئیرنگ ختم کریں" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/apps/files/l10n/vi.php b/apps/files/l10n/vi.php index 4d0240c9baa..e778c0c3747 100644 --- a/apps/files/l10n/vi.php +++ b/apps/files/l10n/vi.php @@ -31,7 +31,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "đã thay thế {new_name} bằng {old_name}", "undo" => "lùi lại", "perform delete operation" => "thực hiện việc xóa", -"1 file uploading" => "1 tệp tin đang được tải lên", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "tệp tin đang được tải lên", "'.' is an invalid file name." => "'.' là một tên file không hợp lệ", "File name cannot be empty." => "Tên file không được rỗng", @@ -43,10 +43,8 @@ $TRANSLATIONS = array( "Name" => "Tên", "Size" => "Kích cỡ", "Modified" => "Thay đổi", -"1 folder" => "1 thư mục", -"{count} folders" => "{count} thư mục", -"1 file" => "1 tập tin", -"{count} files" => "{count} tập tin", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Upload" => "Tải lên", "File handling" => "Xử lý tập tin", "Maximum upload size" => "Kích thước tối đa ", diff --git a/apps/files/l10n/zh_CN.GB2312.php b/apps/files/l10n/zh_CN.GB2312.php index 9b08b5dda22..87177458a73 100644 --- a/apps/files/l10n/zh_CN.GB2312.php +++ b/apps/files/l10n/zh_CN.GB2312.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "已用 {old_name} 替换 {new_name}", "undo" => "撤销", "perform delete operation" => "执行删除", -"1 file uploading" => "1 个文件正在上传", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "个文件正在上传", "'.' is an invalid file name." => "'.' 文件名不正确", "File name cannot be empty." => "文件名不能为空", @@ -46,10 +46,8 @@ $TRANSLATIONS = array( "Name" => "名称", "Size" => "大小", "Modified" => "修改日期", -"1 folder" => "1 个文件夹", -"{count} folders" => "{count} 个文件夹", -"1 file" => "1 个文件", -"{count} files" => "{count} 个文件", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "%s could not be renamed" => "不能重命名 %s", "Upload" => "上传", "File handling" => "文件处理中", diff --git a/apps/files/l10n/zh_CN.php b/apps/files/l10n/zh_CN.php index d4bf220590b..248ca127044 100644 --- a/apps/files/l10n/zh_CN.php +++ b/apps/files/l10n/zh_CN.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "已将 {old_name}替换成 {new_name}", "undo" => "撤销", "perform delete operation" => "进行删除操作", -"1 file uploading" => "1个文件上传中", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "文件上传中", "'.' is an invalid file name." => "'.' 是一个无效的文件名。", "File name cannot be empty." => "文件名不能为空。", @@ -46,10 +46,8 @@ $TRANSLATIONS = array( "Name" => "名称", "Size" => "大小", "Modified" => "修改日期", -"1 folder" => "1个文件夹", -"{count} folders" => "{count} 个文件夹", -"1 file" => "1 个文件", -"{count} files" => "{count} 个文件", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "%s could not be renamed" => "%s 不能被重命名", "Upload" => "上传", "File handling" => "文件处理", diff --git a/apps/files/l10n/zh_HK.php b/apps/files/l10n/zh_HK.php index 1f309d9b2f6..9e806a2fbff 100644 --- a/apps/files/l10n/zh_HK.php +++ b/apps/files/l10n/zh_HK.php @@ -4,8 +4,10 @@ $TRANSLATIONS = array( "Error" => "錯誤", "Share" => "分享", "Delete" => "刪除", +"_Uploading %n file_::_Uploading %n files_" => array(,), "Name" => "名稱", -"{count} folders" => "{}文件夾", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Upload" => "上傳", "Save" => "儲存", "Download" => "下載", diff --git a/apps/files/l10n/zh_TW.php b/apps/files/l10n/zh_TW.php index 6e0dd54fddc..620405b7b9f 100644 --- a/apps/files/l10n/zh_TW.php +++ b/apps/files/l10n/zh_TW.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "使用 {new_name} 取代 {old_name}", "undo" => "復原", "perform delete operation" => "進行刪除動作", -"1 file uploading" => "1 個檔案正在上傳", +"_Uploading %n file_::_Uploading %n files_" => array(,), "files uploading" => "檔案正在上傳中", "'.' is an invalid file name." => "'.' 是不合法的檔名。", "File name cannot be empty." => "檔名不能為空。", @@ -46,10 +46,8 @@ $TRANSLATIONS = array( "Name" => "名稱", "Size" => "大小", "Modified" => "修改", -"1 folder" => "1 個資料夾", -"{count} folders" => "{count} 個資料夾", -"1 file" => "1 個檔案", -"{count} files" => "{count} 個檔案", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "%s could not be renamed" => "無法重新命名 %s", "Upload" => "上傳", "File handling" => "檔案處理", diff --git a/apps/files_encryption/l10n/cs_CZ.php b/apps/files_encryption/l10n/cs_CZ.php index 8bd47239385..e2b3be3261a 100644 --- a/apps/files_encryption/l10n/cs_CZ.php +++ b/apps/files_encryption/l10n/cs_CZ.php @@ -10,6 +10,7 @@ $TRANSLATIONS = array( "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ě.", "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." => "Váš soukromý klíč není platný! Pravděpodobně bylo heslo změněno vně systému ownCloud (např. ve vašem firemním adresáři). Heslo vašeho soukromého klíče můžete změnit ve svém osobním nastavení pro obnovení přístupu k vašim zašifrovaným souborům.", "Missing requirements." => "Nesplněné závislosti.", +"Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL together with the PHP extension is enabled and configured properly. For now, the encryption app has been disabled." => "Ujistěte se prosím, že máte nainstalované PHP 5.3.3 nebo novější, a že máte povolené a správně nakonfigurované OpenSSL včetně jeho rozšíření pro PHP. Prozatím byla aplikace pro šifrování vypnuta.", "Following users are not set up for encryption:" => "Následující uživatelé nemají nastavené šifrování:", "Saving..." => "Ukládám...", "Your private key is not valid! Maybe the your password was changed from outside." => "Váš soukromý klíč není platný! Pravděpodobně bylo vaše heslo změněno zvenčí.", diff --git a/apps/files_encryption/l10n/da.php b/apps/files_encryption/l10n/da.php index 19e6b1d2e8c..1b7069b6784 100644 --- a/apps/files_encryption/l10n/da.php +++ b/apps/files_encryption/l10n/da.php @@ -10,6 +10,8 @@ $TRANSLATIONS = array( "Could not update the private key password. Maybe the old password was not correct." => "Kunne ikke opdatere det private nøgle kodeord-. Måske var det gamle kodeord forkert.", "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 private nøgle er gyldig! Sandsynligvis blev dit kodeord ændre uden for ownCloud systemet (f.eks. dit firmas register). Du kan opdatere dit private nøgle kodeord under personlige indstillinger, for at generhverve adgang til dine krypterede filer.", "Missing requirements." => "Manglende betingelser.", +"Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL together with the PHP extension is enabled and configured properly. For now, the encryption app has been disabled." => "Sørg for at PHP 5.3.3 eller nyere er installeret og at OpenSSL sammen med PHP-udvidelsen er aktiveret og korrekt konfigureret. Indtil videre er krypteringsprogrammet deaktiveret.", +"Following users are not set up for encryption:" => "Følgende brugere er ikke sat op til kryptering:", "Saving..." => "Gemmer...", "Your private key is not valid! Maybe the your password was changed from outside." => "Din private nøgle er ikke gyldig. Måske blev dit kodeord ændre udefra.", "You can unlock your private key in your " => "Du kan låse din private nøgle op i din ", diff --git a/apps/files_trashbin/l10n/ar.php b/apps/files_trashbin/l10n/ar.php index ccb80f959ec..2fc2aed26ed 100644 --- a/apps/files_trashbin/l10n/ar.php +++ b/apps/files_trashbin/l10n/ar.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "حذف بشكل دائم", "Name" => "اسم", "Deleted" => "تم الحذف", -"1 folder" => "مجلد عدد 1", -"{count} folders" => "{count} مجلدات", -"1 file" => "ملف واحد", -"{count} files" => "{count} ملفات", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Nothing in here. Your trash bin is empty!" => "لا يوجد شيء هنا. سلة المهملات خاليه.", "Restore" => "استعيد", "Delete" => "إلغاء", diff --git a/apps/files_trashbin/l10n/bg_BG.php b/apps/files_trashbin/l10n/bg_BG.php index 5ae41a324af..7f4c7493b36 100644 --- a/apps/files_trashbin/l10n/bg_BG.php +++ b/apps/files_trashbin/l10n/bg_BG.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Изтриване завинаги", "Name" => "Име", "Deleted" => "Изтрито", -"1 folder" => "1 папка", -"{count} folders" => "{count} папки", -"1 file" => "1 файл", -"{count} files" => "{count} файла", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Nothing in here. Your trash bin is empty!" => "Няма нищо. Кофата е празна!", "Restore" => "Възтановяване", "Delete" => "Изтриване", diff --git a/apps/files_trashbin/l10n/bn_BD.php b/apps/files_trashbin/l10n/bn_BD.php index a33a6de89af..e512b2360b5 100644 --- a/apps/files_trashbin/l10n/bn_BD.php +++ b/apps/files_trashbin/l10n/bn_BD.php @@ -2,10 +2,8 @@ $TRANSLATIONS = array( "Error" => "সমস্যা", "Name" => "রাম", -"1 folder" => "১টি ফোল্ডার", -"{count} folders" => "{count} টি ফোল্ডার", -"1 file" => "১টি ফাইল", -"{count} files" => "{count} টি ফাইল", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Delete" => "মুছে" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/apps/files_trashbin/l10n/ca.php b/apps/files_trashbin/l10n/ca.php index 2e4fa4dbe08..8ab3d785f73 100644 --- a/apps/files_trashbin/l10n/ca.php +++ b/apps/files_trashbin/l10n/ca.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Esborra permanentment", "Name" => "Nom", "Deleted" => "Eliminat", -"1 folder" => "1 carpeta", -"{count} folders" => "{count} carpetes", -"1 file" => "1 fitxer", -"{count} files" => "{count} fitxers", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "restored" => "restaurat", "Nothing in here. Your trash bin is empty!" => "La paperera està buida!", "Restore" => "Recupera", diff --git a/apps/files_trashbin/l10n/cs_CZ.php b/apps/files_trashbin/l10n/cs_CZ.php index eef9accb83e..cd1acc5eb0d 100644 --- a/apps/files_trashbin/l10n/cs_CZ.php +++ b/apps/files_trashbin/l10n/cs_CZ.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Trvale odstranit", "Name" => "Název", "Deleted" => "Smazáno", -"1 folder" => "1 složka", -"{count} folders" => "{count} složky", -"1 file" => "1 soubor", -"{count} files" => "{count} soubory", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "restored" => "obnoveno", "Nothing in here. Your trash bin is empty!" => "Žádný obsah. Váš koš je prázdný.", "Restore" => "Obnovit", diff --git a/apps/files_trashbin/l10n/cy_GB.php b/apps/files_trashbin/l10n/cy_GB.php index af0c5239b56..df3b67b8df8 100644 --- a/apps/files_trashbin/l10n/cy_GB.php +++ b/apps/files_trashbin/l10n/cy_GB.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Dileu'n barhaol", "Name" => "Enw", "Deleted" => "Wedi dileu", -"1 folder" => "1 blygell", -"{count} folders" => "{count} plygell", -"1 file" => "1 ffeil", -"{count} files" => "{count} ffeil", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Nothing in here. Your trash bin is empty!" => "Does dim byd yma. Mae eich bin sbwriel yn wag!", "Restore" => "Adfer", "Delete" => "Dileu", diff --git a/apps/files_trashbin/l10n/da.php b/apps/files_trashbin/l10n/da.php index 4e0bbc23a8e..adee29a6df2 100644 --- a/apps/files_trashbin/l10n/da.php +++ b/apps/files_trashbin/l10n/da.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Slet permanent", "Name" => "Navn", "Deleted" => "Slettet", -"1 folder" => "1 mappe", -"{count} folders" => "{count} mapper", -"1 file" => "1 fil", -"{count} files" => "{count} filer", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "restored" => "Gendannet", "Nothing in here. Your trash bin is empty!" => "Intet at se her. Din papirkurv er tom!", "Restore" => "Gendan", diff --git a/apps/files_trashbin/l10n/de.php b/apps/files_trashbin/l10n/de.php index 856317f3c6f..ced25d80af8 100644 --- a/apps/files_trashbin/l10n/de.php +++ b/apps/files_trashbin/l10n/de.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Endgültig löschen", "Name" => "Name", "Deleted" => "gelöscht", -"1 folder" => "1 Ordner", -"{count} folders" => "{count} Ordner", -"1 file" => "1 Datei", -"{count} files" => "{count} Dateien", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "restored" => "Wiederhergestellt", "Nothing in here. Your trash bin is empty!" => "Nichts zu löschen, der Papierkorb ist leer!", "Restore" => "Wiederherstellen", diff --git a/apps/files_trashbin/l10n/de_DE.php b/apps/files_trashbin/l10n/de_DE.php index bd1e3fb9e2b..4813b70fdbf 100644 --- a/apps/files_trashbin/l10n/de_DE.php +++ b/apps/files_trashbin/l10n/de_DE.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Endgültig löschen", "Name" => "Name", "Deleted" => "Gelöscht", -"1 folder" => "1 Ordner", -"{count} folders" => "{count} Ordner", -"1 file" => "1 Datei", -"{count} files" => "{count} Dateien", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "restored" => "Wiederhergestellt", "Nothing in here. Your trash bin is empty!" => "Nichts zu löschen, Ihr Papierkorb ist leer!", "Restore" => "Wiederherstellen", diff --git a/apps/files_trashbin/l10n/el.php b/apps/files_trashbin/l10n/el.php index 19331cd1f6f..506992d9119 100644 --- a/apps/files_trashbin/l10n/el.php +++ b/apps/files_trashbin/l10n/el.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Μόνιμη διαγραφή", "Name" => "Όνομα", "Deleted" => "Διαγράφηκε", -"1 folder" => "1 φάκελος", -"{count} folders" => "{count} φάκελοι", -"1 file" => "1 αρχείο", -"{count} files" => "{count} αρχεία", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "restored" => "έγινε επαναφορά", "Nothing in here. Your trash bin is empty!" => "Δεν υπάρχει τίποτα εδώ. Ο κάδος σας είναι άδειος!", "Restore" => "Επαναφορά", diff --git a/apps/files_trashbin/l10n/eo.php b/apps/files_trashbin/l10n/eo.php index 373a503fc66..fb60d7a0aa8 100644 --- a/apps/files_trashbin/l10n/eo.php +++ b/apps/files_trashbin/l10n/eo.php @@ -3,10 +3,8 @@ $TRANSLATIONS = array( "Error" => "Eraro", "Delete permanently" => "Forigi por ĉiam", "Name" => "Nomo", -"1 folder" => "1 dosierujo", -"{count} folders" => "{count} dosierujoj", -"1 file" => "1 dosiero", -"{count} files" => "{count} dosierujoj", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Restore" => "Restaŭri", "Delete" => "Forigi", "Deleted Files" => "Forigitaj dosieroj" diff --git a/apps/files_trashbin/l10n/es.php b/apps/files_trashbin/l10n/es.php index 58e5c6c9035..564f80f634c 100644 --- a/apps/files_trashbin/l10n/es.php +++ b/apps/files_trashbin/l10n/es.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Eliminar permanentemente", "Name" => "Nombre", "Deleted" => "Eliminado", -"1 folder" => "1 carpeta", -"{count} folders" => "{count} carpetas", -"1 file" => "1 archivo", -"{count} files" => "{count} archivos", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "restored" => "recuperado", "Nothing in here. Your trash bin is empty!" => "No hay nada aquí. ¡Tu papelera esta vacía!", "Restore" => "Recuperar", diff --git a/apps/files_trashbin/l10n/es_AR.php b/apps/files_trashbin/l10n/es_AR.php index 98f140983ca..0a8be563f91 100644 --- a/apps/files_trashbin/l10n/es_AR.php +++ b/apps/files_trashbin/l10n/es_AR.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Borrar de manera permanente", "Name" => "Nombre", "Deleted" => "Borrado", -"1 folder" => "1 directorio", -"{count} folders" => "{count} directorios", -"1 file" => "1 archivo", -"{count} files" => "{count} archivos", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Nothing in here. Your trash bin is empty!" => "No hay nada acá. ¡La papelera está vacía!", "Restore" => "Recuperar", "Delete" => "Borrar", diff --git a/apps/files_trashbin/l10n/et_EE.php b/apps/files_trashbin/l10n/et_EE.php index 293d639b42f..44a7ea28550 100644 --- a/apps/files_trashbin/l10n/et_EE.php +++ b/apps/files_trashbin/l10n/et_EE.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Kustuta jäädavalt", "Name" => "Nimi", "Deleted" => "Kustutatud", -"1 folder" => "1 kaust", -"{count} folders" => "{count} kausta", -"1 file" => "1 fail", -"{count} files" => "{count} faili", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "restored" => "taastatud", "Nothing in here. Your trash bin is empty!" => "Siin pole midagi. Sinu prügikast on tühi!", "Restore" => "Taasta", diff --git a/apps/files_trashbin/l10n/eu.php b/apps/files_trashbin/l10n/eu.php index 2649124836f..7156a66bfbf 100644 --- a/apps/files_trashbin/l10n/eu.php +++ b/apps/files_trashbin/l10n/eu.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Ezabatu betirako", "Name" => "Izena", "Deleted" => "Ezabatuta", -"1 folder" => "karpeta bat", -"{count} folders" => "{count} karpeta", -"1 file" => "fitxategi bat", -"{count} files" => "{count} fitxategi", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Nothing in here. Your trash bin is empty!" => "Ez dago ezer ez. Zure zakarrontzia hutsik dago!", "Restore" => "Berrezarri", "Delete" => "Ezabatu", diff --git a/apps/files_trashbin/l10n/fa.php b/apps/files_trashbin/l10n/fa.php index 33a8d418ccf..9d5613ce8e0 100644 --- a/apps/files_trashbin/l10n/fa.php +++ b/apps/files_trashbin/l10n/fa.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "حذف قطعی", "Name" => "نام", "Deleted" => "حذف شده", -"1 folder" => "1 پوشه", -"{count} folders" => "{ شمار} پوشه ها", -"1 file" => "1 پرونده", -"{count} files" => "{ شمار } فایل ها", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Nothing in here. Your trash bin is empty!" => "هیچ چیزی اینجا نیست. سطل زباله ی شما خالی است.", "Restore" => "بازیابی", "Delete" => "حذف", diff --git a/apps/files_trashbin/l10n/fi_FI.php b/apps/files_trashbin/l10n/fi_FI.php index fec0567fbec..9dec2975f31 100644 --- a/apps/files_trashbin/l10n/fi_FI.php +++ b/apps/files_trashbin/l10n/fi_FI.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Poista pysyvästi", "Name" => "Nimi", "Deleted" => "Poistettu", -"1 folder" => "1 kansio", -"{count} folders" => "{count} kansiota", -"1 file" => "1 tiedosto", -"{count} files" => "{count} tiedostoa", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "restored" => "palautettu", "Nothing in here. Your trash bin is empty!" => "Tyhjää täynnä! Roskakorissa ei ole mitään.", "Restore" => "Palauta", diff --git a/apps/files_trashbin/l10n/fr.php b/apps/files_trashbin/l10n/fr.php index 17c524d712d..0581cf6efed 100644 --- a/apps/files_trashbin/l10n/fr.php +++ b/apps/files_trashbin/l10n/fr.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Supprimer de façon définitive", "Name" => "Nom", "Deleted" => "Effacé", -"1 folder" => "1 dossier", -"{count} folders" => "{count} dossiers", -"1 file" => "1 fichier", -"{count} files" => "{count} fichiers", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Nothing in here. Your trash bin is empty!" => "Il n'y a rien ici. Votre corbeille est vide !", "Restore" => "Restaurer", "Delete" => "Supprimer", diff --git a/apps/files_trashbin/l10n/gl.php b/apps/files_trashbin/l10n/gl.php index 9b222e6e15f..e4e72a9e469 100644 --- a/apps/files_trashbin/l10n/gl.php +++ b/apps/files_trashbin/l10n/gl.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Eliminar permanentemente", "Name" => "Nome", "Deleted" => "Eliminado", -"1 folder" => "1 cartafol", -"{count} folders" => "{count} cartafoles", -"1 file" => "1 ficheiro", -"{count} files" => "{count} ficheiros", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "restored" => "restaurado", "Nothing in here. Your trash bin is empty!" => "Aquí non hai nada. O cesto do lixo está baleiro!", "Restore" => "Restablecer", diff --git a/apps/files_trashbin/l10n/he.php b/apps/files_trashbin/l10n/he.php index 1a0e3f4772c..98c846c502c 100644 --- a/apps/files_trashbin/l10n/he.php +++ b/apps/files_trashbin/l10n/he.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "מחיקה לצמיתות", "Name" => "שם", "Deleted" => "נמחק", -"1 folder" => "תיקייה אחת", -"{count} folders" => "{count} תיקיות", -"1 file" => "קובץ אחד", -"{count} files" => "{count} קבצים", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Nothing in here. Your trash bin is empty!" => "אין כאן שום דבר. סל המיחזור שלך ריק!", "Restore" => "שחזור", "Delete" => "מחיקה", diff --git a/apps/files_trashbin/l10n/hr.php b/apps/files_trashbin/l10n/hr.php index 8e8fd22f8ef..a635278cb67 100644 --- a/apps/files_trashbin/l10n/hr.php +++ b/apps/files_trashbin/l10n/hr.php @@ -2,6 +2,8 @@ $TRANSLATIONS = array( "Error" => "Greška", "Name" => "Ime", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Delete" => "Obriši" ); $PLURAL_FORMS = "nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;"; diff --git a/apps/files_trashbin/l10n/hu_HU.php b/apps/files_trashbin/l10n/hu_HU.php index 7ed9eb7eba7..299d252c1e7 100644 --- a/apps/files_trashbin/l10n/hu_HU.php +++ b/apps/files_trashbin/l10n/hu_HU.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Végleges törlés", "Name" => "Név", "Deleted" => "Törölve", -"1 folder" => "1 mappa", -"{count} folders" => "{count} mappa", -"1 file" => "1 fájl", -"{count} files" => "{count} fájl", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "restored" => "visszaállítva", "Nothing in here. Your trash bin is empty!" => "Itt nincs semmi. Az Ön szemetes mappája üres!", "Restore" => "Visszaállítás", diff --git a/apps/files_trashbin/l10n/hy.php b/apps/files_trashbin/l10n/hy.php index f933bec8feb..127ae408214 100644 --- a/apps/files_trashbin/l10n/hy.php +++ b/apps/files_trashbin/l10n/hy.php @@ -1,5 +1,7 @@ array(,), +"_%n file_::_%n files_" => array(,), "Delete" => "Ջնջել" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/apps/files_trashbin/l10n/ia.php b/apps/files_trashbin/l10n/ia.php index 7709ef030e3..6df843b2882 100644 --- a/apps/files_trashbin/l10n/ia.php +++ b/apps/files_trashbin/l10n/ia.php @@ -2,6 +2,8 @@ $TRANSLATIONS = array( "Error" => "Error", "Name" => "Nomine", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Delete" => "Deler" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/apps/files_trashbin/l10n/id.php b/apps/files_trashbin/l10n/id.php index 4fbe154963a..82c01e4da7b 100644 --- a/apps/files_trashbin/l10n/id.php +++ b/apps/files_trashbin/l10n/id.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Hapus secara permanen", "Name" => "Nama", "Deleted" => "Dihapus", -"1 folder" => "1 folder", -"{count} folders" => "{count} folder", -"1 file" => "1 berkas", -"{count} files" => "{count} berkas", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Nothing in here. Your trash bin is empty!" => "Tempat sampah anda kosong!", "Restore" => "Pulihkan", "Delete" => "Hapus", diff --git a/apps/files_trashbin/l10n/is.php b/apps/files_trashbin/l10n/is.php index 1cf794db976..adf462e3872 100644 --- a/apps/files_trashbin/l10n/is.php +++ b/apps/files_trashbin/l10n/is.php @@ -2,10 +2,8 @@ $TRANSLATIONS = array( "Error" => "Villa", "Name" => "Nafn", -"1 folder" => "1 mappa", -"{count} folders" => "{count} möppur", -"1 file" => "1 skrá", -"{count} files" => "{count} skrár", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Delete" => "Eyða" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/apps/files_trashbin/l10n/it.php b/apps/files_trashbin/l10n/it.php index 0843cd5c2ec..d4e6752ae7e 100644 --- a/apps/files_trashbin/l10n/it.php +++ b/apps/files_trashbin/l10n/it.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Elimina definitivamente", "Name" => "Nome", "Deleted" => "Eliminati", -"1 folder" => "1 cartella", -"{count} folders" => "{count} cartelle", -"1 file" => "1 file", -"{count} files" => "{count} file", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "restored" => "ripristinati", "Nothing in here. Your trash bin is empty!" => "Qui non c'è niente. Il tuo cestino è vuoto.", "Restore" => "Ripristina", diff --git a/apps/files_trashbin/l10n/ja_JP.php b/apps/files_trashbin/l10n/ja_JP.php index 40fc0ded83b..2542684a060 100644 --- a/apps/files_trashbin/l10n/ja_JP.php +++ b/apps/files_trashbin/l10n/ja_JP.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "完全に削除する", "Name" => "名前", "Deleted" => "削除済み", -"1 folder" => "1 フォルダ", -"{count} folders" => "{count} フォルダ", -"1 file" => "1 ファイル", -"{count} files" => "{count} ファイル", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "restored" => "復元済", "Nothing in here. Your trash bin is empty!" => "ここには何もありません。ゴミ箱は空です!", "Restore" => "復元", diff --git a/apps/files_trashbin/l10n/ka_GE.php b/apps/files_trashbin/l10n/ka_GE.php index 63906136425..3b29642c629 100644 --- a/apps/files_trashbin/l10n/ka_GE.php +++ b/apps/files_trashbin/l10n/ka_GE.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "სრულად წაშლა", "Name" => "სახელი", "Deleted" => "წაშლილი", -"1 folder" => "1 საქაღალდე", -"{count} folders" => "{count} საქაღალდე", -"1 file" => "1 ფაილი", -"{count} files" => "{count} ფაილი", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Nothing in here. Your trash bin is empty!" => "აქ არაფერი არ არის. სანაგვე ყუთი ცარიელია!", "Restore" => "აღდგენა", "Delete" => "წაშლა", diff --git a/apps/files_trashbin/l10n/ko.php b/apps/files_trashbin/l10n/ko.php index 68845b5472e..fc0a4ca2de2 100644 --- a/apps/files_trashbin/l10n/ko.php +++ b/apps/files_trashbin/l10n/ko.php @@ -3,10 +3,8 @@ $TRANSLATIONS = array( "Error" => "오류", "Delete permanently" => "영원히 삭제", "Name" => "이름", -"1 folder" => "폴더 1개", -"{count} folders" => "폴더 {count}개", -"1 file" => "파일 1개", -"{count} files" => "파일 {count}개", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Restore" => "복원", "Delete" => "삭제" ); diff --git a/apps/files_trashbin/l10n/ku_IQ.php b/apps/files_trashbin/l10n/ku_IQ.php index c1962a4075d..6c73695dc15 100644 --- a/apps/files_trashbin/l10n/ku_IQ.php +++ b/apps/files_trashbin/l10n/ku_IQ.php @@ -1,6 +1,8 @@ "هه‌ڵه", -"Name" => "ناو" +"Name" => "ناو", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,) ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/apps/files_trashbin/l10n/lb.php b/apps/files_trashbin/l10n/lb.php index b434ae72176..08be3e20f1f 100644 --- a/apps/files_trashbin/l10n/lb.php +++ b/apps/files_trashbin/l10n/lb.php @@ -2,6 +2,8 @@ $TRANSLATIONS = array( "Error" => "Fehler", "Name" => "Numm", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Delete" => "Läschen" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/apps/files_trashbin/l10n/lt_LT.php b/apps/files_trashbin/l10n/lt_LT.php index 4fd43bd17b2..197c9b250f6 100644 --- a/apps/files_trashbin/l10n/lt_LT.php +++ b/apps/files_trashbin/l10n/lt_LT.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Ištrinti negrįžtamai", "Name" => "Pavadinimas", "Deleted" => "Ištrinti", -"1 folder" => "1 aplankalas", -"{count} folders" => "{count} aplankalai", -"1 file" => "1 failas", -"{count} files" => "{count} failai", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Nothing in here. Your trash bin is empty!" => "Nieko nėra. Jūsų šiukšliadėžė tuščia!", "Restore" => "Atstatyti", "Delete" => "Ištrinti", diff --git a/apps/files_trashbin/l10n/lv.php b/apps/files_trashbin/l10n/lv.php index 5753162e29d..a7c0bc326e2 100644 --- a/apps/files_trashbin/l10n/lv.php +++ b/apps/files_trashbin/l10n/lv.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Dzēst pavisam", "Name" => "Nosaukums", "Deleted" => "Dzēsts", -"1 folder" => "1 mape", -"{count} folders" => "{count} mapes", -"1 file" => "1 datne", -"{count} files" => "{count} datnes", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Nothing in here. Your trash bin is empty!" => "Šeit nekā nav. Jūsu miskaste ir tukša!", "Restore" => "Atjaunot", "Delete" => "Dzēst", diff --git a/apps/files_trashbin/l10n/mk.php b/apps/files_trashbin/l10n/mk.php index 078140039b4..190445fe91a 100644 --- a/apps/files_trashbin/l10n/mk.php +++ b/apps/files_trashbin/l10n/mk.php @@ -2,10 +2,8 @@ $TRANSLATIONS = array( "Error" => "Грешка", "Name" => "Име", -"1 folder" => "1 папка", -"{count} folders" => "{count} папки", -"1 file" => "1 датотека", -"{count} files" => "{count} датотеки", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Delete" => "Избриши" ); $PLURAL_FORMS = "nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;"; diff --git a/apps/files_trashbin/l10n/ms_MY.php b/apps/files_trashbin/l10n/ms_MY.php index 1972eba0318..9c70b4ae0a9 100644 --- a/apps/files_trashbin/l10n/ms_MY.php +++ b/apps/files_trashbin/l10n/ms_MY.php @@ -2,6 +2,8 @@ $TRANSLATIONS = array( "Error" => "Ralat", "Name" => "Nama", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Delete" => "Padam" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/apps/files_trashbin/l10n/nb_NO.php b/apps/files_trashbin/l10n/nb_NO.php index e650904a412..ca81b33621d 100644 --- a/apps/files_trashbin/l10n/nb_NO.php +++ b/apps/files_trashbin/l10n/nb_NO.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Slett permanent", "Name" => "Navn", "Deleted" => "Slettet", -"1 folder" => "1 mappe", -"{count} folders" => "{count} mapper", -"1 file" => "1 fil", -"{count} files" => "{count} filer", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Nothing in here. Your trash bin is empty!" => "Ingenting her. Søppelkassen din er tom!", "Restore" => "Gjenopprett", "Delete" => "Slett", diff --git a/apps/files_trashbin/l10n/nl.php b/apps/files_trashbin/l10n/nl.php index 21b6d393781..2de36ece52a 100644 --- a/apps/files_trashbin/l10n/nl.php +++ b/apps/files_trashbin/l10n/nl.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Verwijder definitief", "Name" => "Naam", "Deleted" => "Verwijderd", -"1 folder" => "1 map", -"{count} folders" => "{count} mappen", -"1 file" => "1 bestand", -"{count} files" => "{count} bestanden", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "restored" => "hersteld", "Nothing in here. Your trash bin is empty!" => "Niets te vinden. Uw prullenbak is leeg!", "Restore" => "Herstellen", diff --git a/apps/files_trashbin/l10n/nn_NO.php b/apps/files_trashbin/l10n/nn_NO.php index 3e1f9b819a8..eb50b04ec4b 100644 --- a/apps/files_trashbin/l10n/nn_NO.php +++ b/apps/files_trashbin/l10n/nn_NO.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Slett for godt", "Name" => "Namn", "Deleted" => "Sletta", -"1 folder" => "1 mappe", -"{count} folders" => "{count} mapper", -"1 file" => "1 fil", -"{count} files" => "{count} filer", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Nothing in here. Your trash bin is empty!" => "Ingenting her. Papirkorga di er tom!", "Restore" => "Gjenopprett", "Delete" => "Slett", diff --git a/apps/files_trashbin/l10n/oc.php b/apps/files_trashbin/l10n/oc.php index b472683f08d..656b688987d 100644 --- a/apps/files_trashbin/l10n/oc.php +++ b/apps/files_trashbin/l10n/oc.php @@ -2,6 +2,8 @@ $TRANSLATIONS = array( "Error" => "Error", "Name" => "Nom", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Delete" => "Escafa" ); $PLURAL_FORMS = "nplurals=2; plural=(n > 1);"; diff --git a/apps/files_trashbin/l10n/pl.php b/apps/files_trashbin/l10n/pl.php index d31a671eb58..000d6b69381 100644 --- a/apps/files_trashbin/l10n/pl.php +++ b/apps/files_trashbin/l10n/pl.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Trwale usuń", "Name" => "Nazwa", "Deleted" => "Usunięte", -"1 folder" => "1 folder", -"{count} folders" => "Ilość folderów: {count}", -"1 file" => "1 plik", -"{count} files" => "Ilość plików: {count}", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "restored" => "przywrócony", "Nothing in here. Your trash bin is empty!" => "Nic tu nie ma. Twój kosz jest pusty!", "Restore" => "Przywróć", diff --git a/apps/files_trashbin/l10n/pt_BR.php b/apps/files_trashbin/l10n/pt_BR.php index 26eea51b819..b1137672e50 100644 --- a/apps/files_trashbin/l10n/pt_BR.php +++ b/apps/files_trashbin/l10n/pt_BR.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Excluir permanentemente", "Name" => "Nome", "Deleted" => "Excluído", -"1 folder" => "1 pasta", -"{count} folders" => "{count} pastas", -"1 file" => "1 arquivo", -"{count} files" => "{count} arquivos", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "restored" => "restaurado", "Nothing in here. Your trash bin is empty!" => "Nada aqui. Sua lixeira está vazia!", "Restore" => "Restaurar", diff --git a/apps/files_trashbin/l10n/pt_PT.php b/apps/files_trashbin/l10n/pt_PT.php index 15213892d2a..7fae2628015 100644 --- a/apps/files_trashbin/l10n/pt_PT.php +++ b/apps/files_trashbin/l10n/pt_PT.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Eliminar permanentemente", "Name" => "Nome", "Deleted" => "Apagado", -"1 folder" => "1 pasta", -"{count} folders" => "{count} pastas", -"1 file" => "1 ficheiro", -"{count} files" => "{count} ficheiros", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "restored" => "Restaurado", "Nothing in here. Your trash bin is empty!" => "Não hà ficheiros. O lixo está vazio!", "Restore" => "Restaurar", diff --git a/apps/files_trashbin/l10n/ro.php b/apps/files_trashbin/l10n/ro.php index 3c38f16b392..cb47682f323 100644 --- a/apps/files_trashbin/l10n/ro.php +++ b/apps/files_trashbin/l10n/ro.php @@ -3,10 +3,8 @@ $TRANSLATIONS = array( "Error" => "Eroare", "Delete permanently" => "Stergere permanenta", "Name" => "Nume", -"1 folder" => "1 folder", -"{count} folders" => "{count} foldare", -"1 file" => "1 fisier", -"{count} files" => "{count} fisiere", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Delete" => "Șterge" ); $PLURAL_FORMS = "nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));"; diff --git a/apps/files_trashbin/l10n/ru.php b/apps/files_trashbin/l10n/ru.php index d883115281e..c76659b232f 100644 --- a/apps/files_trashbin/l10n/ru.php +++ b/apps/files_trashbin/l10n/ru.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Удалено навсегда", "Name" => "Имя", "Deleted" => "Удалён", -"1 folder" => "1 папка", -"{count} folders" => "{count} папок", -"1 file" => "1 файл", -"{count} files" => "{count} файлов", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "restored" => "восстановлен", "Nothing in here. Your trash bin is empty!" => "Здесь ничего нет. Ваша корзина пуста!", "Restore" => "Восстановить", diff --git a/apps/files_trashbin/l10n/si_LK.php b/apps/files_trashbin/l10n/si_LK.php index 9de1c00989e..54700566f35 100644 --- a/apps/files_trashbin/l10n/si_LK.php +++ b/apps/files_trashbin/l10n/si_LK.php @@ -2,8 +2,8 @@ $TRANSLATIONS = array( "Error" => "දෝෂයක්", "Name" => "නම", -"1 folder" => "1 ෆොල්ඩරයක්", -"1 file" => "1 ගොනුවක්", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Delete" => "මකා දමන්න" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/apps/files_trashbin/l10n/sk_SK.php b/apps/files_trashbin/l10n/sk_SK.php index 552a69f4fcb..727d900b9cd 100644 --- a/apps/files_trashbin/l10n/sk_SK.php +++ b/apps/files_trashbin/l10n/sk_SK.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Zmazať trvalo", "Name" => "Názov", "Deleted" => "Zmazané", -"1 folder" => "1 priečinok", -"{count} folders" => "{count} priečinkov", -"1 file" => "1 súbor", -"{count} files" => "{count} súborov", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "restored" => "obnovené", "Nothing in here. Your trash bin is empty!" => "Žiadny obsah. Kôš je prázdny!", "Restore" => "Obnoviť", diff --git a/apps/files_trashbin/l10n/sl.php b/apps/files_trashbin/l10n/sl.php index 4140bb8d59a..4a44e144def 100644 --- a/apps/files_trashbin/l10n/sl.php +++ b/apps/files_trashbin/l10n/sl.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Izbriši dokončno", "Name" => "Ime", "Deleted" => "Izbrisano", -"1 folder" => "1 mapa", -"{count} folders" => "{count} map", -"1 file" => "1 datoteka", -"{count} files" => "{count} datotek", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Nothing in here. Your trash bin is empty!" => "Mapa smeti je prazna.", "Restore" => "Obnovi", "Delete" => "Izbriši", diff --git a/apps/files_trashbin/l10n/sq.php b/apps/files_trashbin/l10n/sq.php index a0dae065b70..c5fb62e84fb 100644 --- a/apps/files_trashbin/l10n/sq.php +++ b/apps/files_trashbin/l10n/sq.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Elimino përfundimisht", "Name" => "Emri", "Deleted" => "Eliminuar", -"1 folder" => "1 dosje", -"{count} folders" => "{count} dosje", -"1 file" => "1 skedar", -"{count} files" => "{count} skedarë", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Nothing in here. Your trash bin is empty!" => "Këtu nuk ka asgjë. Koshi juaj është bosh!", "Restore" => "Rivendos", "Delete" => "Elimino", diff --git a/apps/files_trashbin/l10n/sr.php b/apps/files_trashbin/l10n/sr.php index 8302df5f262..97c9f78dc14 100644 --- a/apps/files_trashbin/l10n/sr.php +++ b/apps/files_trashbin/l10n/sr.php @@ -5,10 +5,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Обриши за стално", "Name" => "Име", "Deleted" => "Обрисано", -"1 folder" => "1 фасцикла", -"{count} folders" => "{count} фасцикле/и", -"1 file" => "1 датотека", -"{count} files" => "{count} датотеке/а", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Nothing in here. Your trash bin is empty!" => "Овде нема ништа. Корпа за отпатке је празна.", "Restore" => "Врати", "Delete" => "Обриши" diff --git a/apps/files_trashbin/l10n/sr@latin.php b/apps/files_trashbin/l10n/sr@latin.php index 0511d9f609d..bd1a26abf66 100644 --- a/apps/files_trashbin/l10n/sr@latin.php +++ b/apps/files_trashbin/l10n/sr@latin.php @@ -1,6 +1,8 @@ "Ime", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Delete" => "Obriši" ); $PLURAL_FORMS = "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"; diff --git a/apps/files_trashbin/l10n/sv.php b/apps/files_trashbin/l10n/sv.php index 9eb83734b49..c8f79dbdb65 100644 --- a/apps/files_trashbin/l10n/sv.php +++ b/apps/files_trashbin/l10n/sv.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Radera permanent", "Name" => "Namn", "Deleted" => "Raderad", -"1 folder" => "1 mapp", -"{count} folders" => "{count} mappar", -"1 file" => "1 fil", -"{count} files" => "{count} filer", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "restored" => "återställd", "Nothing in here. Your trash bin is empty!" => "Ingenting här. Din papperskorg är tom!", "Restore" => "Återskapa", diff --git a/apps/files_trashbin/l10n/ta_LK.php b/apps/files_trashbin/l10n/ta_LK.php index 35253900b19..12e9e66af54 100644 --- a/apps/files_trashbin/l10n/ta_LK.php +++ b/apps/files_trashbin/l10n/ta_LK.php @@ -2,10 +2,8 @@ $TRANSLATIONS = array( "Error" => "வழு", "Name" => "பெயர்", -"1 folder" => "1 கோப்புறை", -"{count} folders" => "{எண்ணிக்கை} கோப்புறைகள்", -"1 file" => "1 கோப்பு", -"{count} files" => "{எண்ணிக்கை} கோப்புகள்", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Delete" => "நீக்குக" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/apps/files_trashbin/l10n/te.php b/apps/files_trashbin/l10n/te.php index f89a9fda5f7..6fdbc7320b2 100644 --- a/apps/files_trashbin/l10n/te.php +++ b/apps/files_trashbin/l10n/te.php @@ -3,6 +3,8 @@ $TRANSLATIONS = array( "Error" => "పొరపాటు", "Delete permanently" => "శాశ్వతంగా తొలగించు", "Name" => "పేరు", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Delete" => "తొలగించు" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/apps/files_trashbin/l10n/th_TH.php b/apps/files_trashbin/l10n/th_TH.php index dc49155b9be..a1e397bbe50 100644 --- a/apps/files_trashbin/l10n/th_TH.php +++ b/apps/files_trashbin/l10n/th_TH.php @@ -4,10 +4,8 @@ $TRANSLATIONS = array( "Error" => "ข้อผิดพลาด", "Name" => "ชื่อ", "Deleted" => "ลบแล้ว", -"1 folder" => "1 โฟลเดอร์", -"{count} folders" => "{count} โฟลเดอร์", -"1 file" => "1 ไฟล์", -"{count} files" => "{count} ไฟล์", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Nothing in here. Your trash bin is empty!" => "ไม่มีอะไรอยู่ในนี้ ถังขยะของคุณยังว่างอยู่", "Restore" => "คืนค่า", "Delete" => "ลบ", diff --git a/apps/files_trashbin/l10n/tr.php b/apps/files_trashbin/l10n/tr.php index df1b692af51..dec1b35a79a 100644 --- a/apps/files_trashbin/l10n/tr.php +++ b/apps/files_trashbin/l10n/tr.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Kalıcı olarak sil", "Name" => "İsim", "Deleted" => "Silindi", -"1 folder" => "1 dizin", -"{count} folders" => "{count} dizin", -"1 file" => "1 dosya", -"{count} files" => "{count} dosya", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Nothing in here. Your trash bin is empty!" => "Burası boş. Çöp kutun tamamen boş.", "Restore" => "Geri yükle", "Delete" => "Sil", diff --git a/apps/files_trashbin/l10n/ug.php b/apps/files_trashbin/l10n/ug.php index 65466685971..6ac41cea50f 100644 --- a/apps/files_trashbin/l10n/ug.php +++ b/apps/files_trashbin/l10n/ug.php @@ -4,9 +4,8 @@ $TRANSLATIONS = array( "Delete permanently" => "مەڭگۈلۈك ئۆچۈر", "Name" => "ئاتى", "Deleted" => "ئۆچۈرۈلدى", -"1 folder" => "1 قىسقۇچ", -"1 file" => "1 ھۆججەت", -"{count} files" => "{count} ھۆججەت", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Nothing in here. Your trash bin is empty!" => "بۇ جايدا ھېچنېمە يوق. Your trash bin is empty!", "Delete" => "ئۆچۈر" ); diff --git a/apps/files_trashbin/l10n/uk.php b/apps/files_trashbin/l10n/uk.php index 93e9b6aa7b0..2b07b7ecfe2 100644 --- a/apps/files_trashbin/l10n/uk.php +++ b/apps/files_trashbin/l10n/uk.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Видалити назавжди", "Name" => "Ім'я", "Deleted" => "Видалено", -"1 folder" => "1 папка", -"{count} folders" => "{count} папок", -"1 file" => "1 файл", -"{count} files" => "{count} файлів", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "restored" => "відновлено", "Nothing in here. Your trash bin is empty!" => "Нічого немає. Ваший кошик для сміття пустий!", "Restore" => "Відновити", diff --git a/apps/files_trashbin/l10n/ur_PK.php b/apps/files_trashbin/l10n/ur_PK.php index 49c82f53872..63e0e39bba2 100644 --- a/apps/files_trashbin/l10n/ur_PK.php +++ b/apps/files_trashbin/l10n/ur_PK.php @@ -1,5 +1,7 @@ "ایرر" +"Error" => "ایرر", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,) ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/apps/files_trashbin/l10n/vi.php b/apps/files_trashbin/l10n/vi.php index 5e16a8392dd..e83a273a909 100644 --- a/apps/files_trashbin/l10n/vi.php +++ b/apps/files_trashbin/l10n/vi.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Xóa vĩnh vễn", "Name" => "Tên", "Deleted" => "Đã xóa", -"1 folder" => "1 thư mục", -"{count} folders" => "{count} thư mục", -"1 file" => "1 tập tin", -"{count} files" => "{count} tập tin", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Nothing in here. Your trash bin is empty!" => "Không có gì ở đây. Thùng rác của bạn rỗng!", "Restore" => "Khôi phục", "Delete" => "Xóa", diff --git a/apps/files_trashbin/l10n/zh_CN.GB2312.php b/apps/files_trashbin/l10n/zh_CN.GB2312.php index 768a9616d71..ea97c168f15 100644 --- a/apps/files_trashbin/l10n/zh_CN.GB2312.php +++ b/apps/files_trashbin/l10n/zh_CN.GB2312.php @@ -3,10 +3,8 @@ $TRANSLATIONS = array( "Error" => "出错", "Delete permanently" => "永久删除", "Name" => "名称", -"1 folder" => "1 个文件夹", -"{count} folders" => "{count} 个文件夹", -"1 file" => "1 个文件", -"{count} files" => "{count} 个文件", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Delete" => "删除" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/apps/files_trashbin/l10n/zh_CN.php b/apps/files_trashbin/l10n/zh_CN.php index c149c6c966c..9e262d5cb88 100644 --- a/apps/files_trashbin/l10n/zh_CN.php +++ b/apps/files_trashbin/l10n/zh_CN.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "永久删除", "Name" => "名称", "Deleted" => "已删除", -"1 folder" => "1个文件夹", -"{count} folders" => "{count} 个文件夹", -"1 file" => "1 个文件", -"{count} files" => "{count} 个文件", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Nothing in here. Your trash bin is empty!" => "这里没有东西. 你的回收站是空的!", "Restore" => "恢复", "Delete" => "删除", diff --git a/apps/files_trashbin/l10n/zh_HK.php b/apps/files_trashbin/l10n/zh_HK.php index 6b9f6506874..a8741a41829 100644 --- a/apps/files_trashbin/l10n/zh_HK.php +++ b/apps/files_trashbin/l10n/zh_HK.php @@ -2,7 +2,8 @@ $TRANSLATIONS = array( "Error" => "錯誤", "Name" => "名稱", -"{count} folders" => "{}文件夾", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Delete" => "刪除" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/apps/files_trashbin/l10n/zh_TW.php b/apps/files_trashbin/l10n/zh_TW.php index 39fe4ce988a..d6c54614c2c 100644 --- a/apps/files_trashbin/l10n/zh_TW.php +++ b/apps/files_trashbin/l10n/zh_TW.php @@ -8,10 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "永久刪除", "Name" => "名稱", "Deleted" => "已刪除", -"1 folder" => "1 個資料夾", -"{count} folders" => "{count} 個資料夾", -"1 file" => "1 個檔案", -"{count} files" => "{count} 個檔案", +"_%n folder_::_%n folders_" => array(,), +"_%n file_::_%n files_" => array(,), "Nothing in here. Your trash bin is empty!" => "您的垃圾桶是空的!", "Restore" => "復原", "Delete" => "刪除", diff --git a/core/l10n/af_ZA.php b/core/l10n/af_ZA.php index ab94e946110..17058ba0bfb 100644 --- a/core/l10n/af_ZA.php +++ b/core/l10n/af_ZA.php @@ -1,6 +1,10 @@ "Instellings", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day ago_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,), "Password" => "Wagwoord", "Use the following link to reset your password: {link}" => "Gebruik die volgende skakel om jou wagwoord te herstel: {link}", "You will receive a link to reset your password via Email." => "Jy sal `n skakel via e-pos ontvang om jou wagwoord te herstel.", diff --git a/core/l10n/ar.php b/core/l10n/ar.php index 0f84d5da76c..194aac3c2be 100644 --- a/core/l10n/ar.php +++ b/core/l10n/ar.php @@ -29,15 +29,13 @@ $TRANSLATIONS = array( "December" => "كانون الاول", "Settings" => "إعدادات", "seconds ago" => "منذ ثواني", -"1 minute ago" => "منذ دقيقة", -"{minutes} minutes ago" => "{minutes} منذ دقائق", -"1 hour ago" => "قبل ساعة مضت", -"{hours} hours ago" => "{hours} ساعة مضت", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "اليوم", "yesterday" => "يوم أمس", -"{days} days ago" => "{days} يوم سابق", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "الشهر الماضي", -"{months} months ago" => "{months} شهر مضت", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "شهر مضى", "last year" => "السنةالماضية", "years ago" => "سنة مضت", @@ -83,7 +81,6 @@ $TRANSLATIONS = array( "Email sent" => "تم ارسال البريد الالكتروني", "The update was unsuccessful. Please report this issue to the ownCloud community." => "حصل خطأ في عملية التحديث, يرجى ارسال تقرير بهذه المشكلة الى ownCloud community.", "The update was successful. Redirecting you to ownCloud now." => "تم التحديث بنجاح , يتم اعادة توجيهك الان الى Owncloud", -"ownCloud password reset" => "إعادة تعيين كلمة سر ownCloud", "Use the following link to reset your password: {link}" => "استخدم هذه الوصلة لاسترجاع كلمة السر: {link}", "You will receive a link to reset your password via Email." => "سوف نرسل لك بريد يحتوي على وصلة لتجديد كلمة السر.", "Username" => "إسم المستخدم", diff --git a/core/l10n/be.php b/core/l10n/be.php index fa6f4e0404a..fcc2608fe50 100644 --- a/core/l10n/be.php +++ b/core/l10n/be.php @@ -1,5 +1,9 @@ array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day ago_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,), "Advanced" => "Дасведчаны", "Finish setup" => "Завяршыць ўстаноўку.", "prev" => "Папярэдняя", diff --git a/core/l10n/bg_BG.php b/core/l10n/bg_BG.php index 57eccb1613c..c8127633986 100644 --- a/core/l10n/bg_BG.php +++ b/core/l10n/bg_BG.php @@ -22,11 +22,13 @@ $TRANSLATIONS = array( "December" => "Декември", "Settings" => "Настройки", "seconds ago" => "преди секунди", -"1 minute ago" => "преди 1 минута", -"1 hour ago" => "преди 1 час", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "днес", "yesterday" => "вчера", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "последният месец", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "последната година", "years ago" => "последните години", "Cancel" => "Отказ", diff --git a/core/l10n/bn_BD.php b/core/l10n/bn_BD.php index eeb141474ad..72a69fe8e61 100644 --- a/core/l10n/bn_BD.php +++ b/core/l10n/bn_BD.php @@ -28,15 +28,13 @@ $TRANSLATIONS = array( "December" => "ডিসেম্বর", "Settings" => "নিয়ামকসমূহ", "seconds ago" => "সেকেন্ড পূর্বে", -"1 minute ago" => "১ মিনিট পূর্বে", -"{minutes} minutes ago" => "{minutes} মিনিট পূর্বে", -"1 hour ago" => "1 ঘন্টা পূর্বে", -"{hours} hours ago" => "{hours} ঘন্টা পূর্বে", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "আজ", "yesterday" => "গতকাল", -"{days} days ago" => "{days} দিন পূর্বে", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "গত মাস", -"{months} months ago" => "{months} মাস পূর্বে", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "মাস পূর্বে", "last year" => "গত বছর", "years ago" => "বছর পূর্বে", @@ -80,7 +78,6 @@ $TRANSLATIONS = array( "Error setting expiration date" => "মেয়াদোত্তীর্ণ হওয়ার তারিখ নির্ধারণ করতে সমস্যা দেখা দিয়েছে", "Sending ..." => "পাঠানো হচ্ছে......", "Email sent" => "ই-মেইল পাঠানো হয়েছে", -"ownCloud password reset" => "ownCloud কূটশব্দ পূনঃনির্ধারণ", "Use the following link to reset your password: {link}" => "আপনার কূটশব্দটি পূনঃনির্ধারণ করার জন্য নিম্নোক্ত লিংকটি ব্যবহার করুনঃ {link}", "You will receive a link to reset your password via Email." => "কূটশব্দ পূনঃনির্ধারণের জন্য একটি টূনঃনির্ধারণ লিংকটি আপনাকে ই-মেইলে পাঠানো হয়েছে ।", "Username" => "ব্যবহারকারী", diff --git a/core/l10n/bs.php b/core/l10n/bs.php index 4cb1978faf2..624a8b7e16a 100644 --- a/core/l10n/bs.php +++ b/core/l10n/bs.php @@ -1,5 +1,9 @@ array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day ago_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,), "Share" => "Podijeli", "Add" => "Dodaj" ); diff --git a/core/l10n/ca.php b/core/l10n/ca.php index acf32c7dc0f..5c6ca8d2f87 100644 --- a/core/l10n/ca.php +++ b/core/l10n/ca.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "Desembre", "Settings" => "Configuració", "seconds ago" => "segons enrere", -"1 minute ago" => "fa 1 minut", -"{minutes} minutes ago" => "fa {minutes} minuts", -"1 hour ago" => "fa 1 hora", -"{hours} hours ago" => "fa {hours} hores", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "avui", "yesterday" => "ahir", -"{days} days ago" => "fa {days} dies", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "el mes passat", -"{months} months ago" => "fa {months} mesos", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "mesos enrere", "last year" => "l'any passat", "years ago" => "anys enrere", @@ -86,7 +84,6 @@ $TRANSLATIONS = array( "Email sent" => "El correu electrónic s'ha enviat", "The update was unsuccessful. Please report this issue to the ownCloud community." => "L'actualització ha estat incorrecte. Comuniqueu aquest error a la comunitat ownCloud.", "The update was successful. Redirecting you to ownCloud now." => "L'actualització ha estat correcte. Ara us redirigim a ownCloud.", -"ownCloud password reset" => "estableix de nou la contrasenya Owncloud", "Use the following link to reset your password: {link}" => "Useu l'enllaç següent per restablir la contrasenya: {link}", "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 ." => "L'enllaç per reiniciar la vostra contrasenya s'ha enviat al vostre correu.
    Si no el rebeu en un temps raonable comproveu les carpetes de spam.
    Si no és allà, pregunteu a l'administrador local.", "Request failed!
    Did you make sure your email/username was right?" => "La petició ha fallat!
    Esteu segur que el correu/nom d'usuari és correcte?", diff --git a/core/l10n/cs_CZ.php b/core/l10n/cs_CZ.php index 126de8858cc..c62cc1f126a 100644 --- a/core/l10n/cs_CZ.php +++ b/core/l10n/cs_CZ.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "Prosinec", "Settings" => "Nastavení", "seconds ago" => "před pár vteřinami", -"1 minute ago" => "před minutou", -"{minutes} minutes ago" => "před {minutes} minutami", -"1 hour ago" => "před hodinou", -"{hours} hours ago" => "před {hours} hodinami", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "dnes", "yesterday" => "včera", -"{days} days ago" => "před {days} dny", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "minulý měsíc", -"{months} months ago" => "před {months} měsíci", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "před měsíci", "last year" => "minulý rok", "years ago" => "před lety", @@ -86,7 +84,6 @@ $TRANSLATIONS = array( "Email sent" => "E-mail odeslán", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Aktualizace neproběhla úspěšně. Nahlaste prosím problém do evidence chyb ownCloud", "The update was successful. Redirecting you to ownCloud now." => "Aktualizace byla úspěšná. Přesměrovávám na ownCloud.", -"ownCloud password reset" => "Obnovení hesla pro ownCloud", "Use the following link to reset your password: {link}" => "Heslo obnovíte použitím následujícího odkazu: {link}", "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 ." => "Odkaz na obnovení hesla byl odeslán na vaši e-mailovou adresu.
    Pokud jej v krátké době neobdržíte, zkontrolujte váš koš a složku spam.
    Pokud jej nenaleznete, kontaktujte svého správce.", "Request failed!
    Did you make sure your email/username was right?" => "Požadavek selhal!
    Ujistili jste se, že vaše uživatelské jméno a e-mail jsou správně?", @@ -129,6 +126,7 @@ $TRANSLATIONS = array( "Finish setup" => "Dokončit nastavení", "%s is available. Get more information on how to update." => "%s je dostupná. Získejte více informací k postupu aktualizace.", "Log out" => "Odhlásit se", +"More apps" => "Více aplikací", "Automatic logon rejected!" => "Automatické přihlášení odmítnuto!", "If you did not change your password recently, your account may be compromised!" => "Pokud jste v nedávné době neměnili své heslo, Váš účet může být kompromitován!", "Please change your password to secure your account again." => "Změňte, prosím, své heslo pro opětovné zabezpečení Vašeho účtu.", diff --git a/core/l10n/cy_GB.php b/core/l10n/cy_GB.php index 4b20c05167e..30c8b5aba6b 100644 --- a/core/l10n/cy_GB.php +++ b/core/l10n/cy_GB.php @@ -29,15 +29,13 @@ $TRANSLATIONS = array( "December" => "Rhagfyr", "Settings" => "Gosodiadau", "seconds ago" => "eiliad yn ôl", -"1 minute ago" => "1 munud yn ôl", -"{minutes} minutes ago" => "{minutes} munud yn ôl", -"1 hour ago" => "1 awr yn ôl", -"{hours} hours ago" => "{hours} awr yn ôl", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "heddiw", "yesterday" => "ddoe", -"{days} days ago" => "{days} diwrnod yn ôl", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "mis diwethaf", -"{months} months ago" => "{months} mis yn ôl", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "misoedd yn ôl", "last year" => "y llynedd", "years ago" => "blwyddyn yn ôl", @@ -83,7 +81,6 @@ $TRANSLATIONS = array( "Email sent" => "Anfonwyd yr e-bost", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Methodd y diweddariad. Adroddwch y mater hwn i gymuned ownCloud.", "The update was successful. Redirecting you to ownCloud now." => "Roedd y diweddariad yn llwyddiannus. Cewch eich ailgyfeirio i ownCloud nawr.", -"ownCloud password reset" => "ailosod cyfrinair ownCloud", "Use the following link to reset your password: {link}" => "Defnyddiwch y ddolen hon i ailosod eich cyfrinair: {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 ." => "Anfonwyd y ddolen i ailosod eich cyfrinair i'ch cyfeiriad ebost.
    Os nad yw'n cyrraedd o fewn amser rhesymol gwiriwch eich plygell spam/sothach.
    Os nad yw yno, cysylltwch â'ch gweinyddwr lleol.", "Request failed!
    Did you make sure your email/username was right?" => "Methodd y cais!
    Gwiriwch eich enw defnyddiwr ac ebost.", diff --git a/core/l10n/da.php b/core/l10n/da.php index ed5a0b67a93..2ca23b785c7 100644 --- a/core/l10n/da.php +++ b/core/l10n/da.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "December", "Settings" => "Indstillinger", "seconds ago" => "sekunder siden", -"1 minute ago" => "1 minut siden", -"{minutes} minutes ago" => "{minutes} minutter siden", -"1 hour ago" => "1 time siden", -"{hours} hours ago" => "{hours} timer siden", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "i dag", "yesterday" => "i går", -"{days} days ago" => "{days} dage siden", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "sidste måned", -"{months} months ago" => "{months} måneder siden", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "måneder siden", "last year" => "sidste år", "years ago" => "år siden", @@ -86,12 +84,12 @@ $TRANSLATIONS = array( "Email sent" => "E-mail afsendt", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Opdateringen blev ikke udført korrekt. Rapporter venligst problemet til ownClouds community.", "The update was successful. Redirecting you to ownCloud now." => "Opdateringen blev udført korrekt. Du bliver nu viderestillet til ownCloud.", -"ownCloud password reset" => "Nulstil ownCloud kodeord", "Use the following link to reset your password: {link}" => "Anvend følgende link til at nulstille din adgangskode: {link}", "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 ." => "Linket til at nulstille dit kodeord er blevet sendt til din e-post.
    Hvis du ikke modtager den inden for en rimelig tid, så tjek dine spam / junk mapper.
    Hvis det ikke er der, så spørg din lokale administrator.", "Request failed!
    Did you make sure your email/username was right?" => "Anmodning mislykkedes!
    Er du sikker på at din e-post / brugernavn var korrekt?", "You will receive a link to reset your password via Email." => "Du vil modtage et link til at nulstille dit kodeord via email.", "Username" => "Brugernavn", +"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?" => "Dine filer er krypterede. Hvis du ikke har aktiveret gendannelsesnøglen kan du ikke få dine data tilbage efter at du har ændret adgangskode. HVis du ikke er sikker på, hvad du skal gøre så kontakt din administrator før du fortsætter. Vil du fortsætte?", "Yes, I really want to reset my password now" => "Ja, Jeg ønsker virkelig at nulstille mit kodeord", "Request reset" => "Anmod om nulstilling", "Your password was reset" => "Dit kodeord blev nulstillet", @@ -105,6 +103,7 @@ $TRANSLATIONS = array( "Help" => "Hjælp", "Access forbidden" => "Adgang forbudt", "Cloud not found" => "Sky ikke fundet", +"Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "Hallo\n\ndette blot for at lade dig vide, at %s har delt %s med dig.\nSe det: %s\n\nHej", "Edit categories" => "Rediger kategorier", "Add" => "Tilføj", "Security Warning" => "Sikkerhedsadvarsel", @@ -113,6 +112,7 @@ $TRANSLATIONS = array( "No secure random number generator is available, please enable the PHP OpenSSL extension." => "Ingen sikker tilfældighedsgenerator til tal er tilgængelig. Aktiver venligst OpenSSL udvidelsen.", "Without a secure random number generator an attacker may be able to predict password reset tokens and take over your account." => "Uden en sikker tilfældighedsgenerator til tal kan en angriber måske gætte dit gendan kodeord og overtage din konto", "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." => "Dine data mappe og filer er sandsynligvis tilgængelige fra internettet fordi .htaccess filen ikke virker.", +"For information how to properly configure your server, please see the documentation." => "For information om, hvordan du konfigurerer din server korrekt se dokumentationen.", "Create an admin account" => "Opret en administratorkonto", "Advanced" => "Avanceret", "Data folder" => "Datamappe", @@ -126,6 +126,7 @@ $TRANSLATIONS = array( "Finish setup" => "Afslut opsætning", "%s is available. Get more information on how to update." => "%s er tilgængelig. Få mere information om, hvordan du opdaterer.", "Log out" => "Log ud", +"More apps" => "Flere programmer", "Automatic logon rejected!" => "Automatisk login afvist!", "If you did not change your password recently, your account may be compromised!" => "Hvis du ikke har ændret din adgangskode for nylig, har nogen muligvis tiltvunget sig adgang til din konto!", "Please change your password to secure your account again." => "Skift adgangskode for at sikre din konto igen.", @@ -133,6 +134,7 @@ $TRANSLATIONS = array( "remember" => "husk", "Log in" => "Log ind", "Alternative Logins" => "Alternative logins", +"Hey there,

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

    Cheers!" => "Hallo,

    dette blot for at lade dig vide, at %s har delt \"%s\" med dig.
    Se det!

    Hej", "prev" => "forrige", "next" => "næste", "Updating ownCloud to version %s, this may take a while." => "Opdatere Owncloud til version %s, dette kan tage et stykke tid." diff --git a/core/l10n/de.php b/core/l10n/de.php index 15847370f92..9ec4044b87b 100644 --- a/core/l10n/de.php +++ b/core/l10n/de.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "Dezember", "Settings" => "Einstellungen", "seconds ago" => "Gerade eben", -"1 minute ago" => "vor einer Minute", -"{minutes} minutes ago" => "Vor {minutes} Minuten", -"1 hour ago" => "Vor einer Stunde", -"{hours} hours ago" => "Vor {hours} Stunden", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "Heute", "yesterday" => "Gestern", -"{days} days ago" => "Vor {days} Tag(en)", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "Letzten Monat", -"{months} months ago" => "Vor {months} Monaten", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "Vor Monaten", "last year" => "Letztes Jahr", "years ago" => "Vor Jahren", @@ -86,7 +84,6 @@ $TRANSLATIONS = array( "Email sent" => "E-Mail wurde verschickt", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Das Update ist fehlgeschlagen. Bitte melde dieses Problem an die ownCloud Community.", "The update was successful. Redirecting you to ownCloud now." => "Das Update war erfolgreich. Du wirst nun zu ownCloud weitergeleitet.", -"ownCloud password reset" => "ownCloud-Passwort zurücksetzen", "Use the following link to reset your password: {link}" => "Nutze den nachfolgenden Link, um Dein Passwort zurückzusetzen: {link}", "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 ." => "Der Link zum Rücksetzen Deines Passwort ist an Deine E-Mail-Adresse geschickt worden.
    Wenn Du ihn nicht innerhalb einer vernünftigen Zeit empfängst, prüfe Deine Spam-Verzeichnisse.
    Wenn er nicht dort ist, frage Deinen lokalen Administrator.", "Request failed!
    Did you make sure your email/username was right?" => "Anfrage fehlgeschlagen!
    Hast Du darauf geachtet, dass Deine E-Mail/Dein Benutzername korrekt war?", @@ -129,7 +126,7 @@ $TRANSLATIONS = array( "Finish setup" => "Installation abschließen", "%s is available. Get more information on how to update." => "%s ist verfügbar. Holen Sie weitere Informationen zu Aktualisierungen ein.", "Log out" => "Abmelden", -"More apps" => "Weitere Anwendungen", +"More apps" => "Mehr Apps", "Automatic logon rejected!" => "Automatischer Login zurückgewiesen!", "If you did not change your password recently, your account may be compromised!" => "Wenn Du Dein Passwort nicht vor kurzem geändert hast, könnte Dein\nAccount kompromittiert sein!", "Please change your password to secure your account again." => "Bitte ändere Dein Passwort, um Deinen Account wieder zu schützen.", diff --git a/core/l10n/de_AT.php b/core/l10n/de_AT.php new file mode 100644 index 00000000000..9f5278e8790 --- /dev/null +++ b/core/l10n/de_AT.php @@ -0,0 +1,9 @@ + array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day ago_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,), +"More apps" => "Mehr Apps" +); +$PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/de_CH.php b/core/l10n/de_CH.php index a6061a2b1e4..9eae0de3077 100644 --- a/core/l10n/de_CH.php +++ b/core/l10n/de_CH.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "Dezember", "Settings" => "Einstellungen", "seconds ago" => "Gerade eben", -"1 minute ago" => "Vor 1 Minute", -"{minutes} minutes ago" => "Vor {minutes} Minuten", -"1 hour ago" => "Vor einer Stunde", -"{hours} hours ago" => "Vor {hours} Stunden", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "Heute", "yesterday" => "Gestern", -"{days} days ago" => "Vor {days} Tag(en)", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "Letzten Monat", -"{months} months ago" => "Vor {months} Monaten", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "Vor Monaten", "last year" => "Letztes Jahr", "years ago" => "Vor Jahren", @@ -86,7 +84,6 @@ $TRANSLATIONS = array( "Email sent" => "Email gesendet", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Das Update ist fehlgeschlagen. Bitte melden Sie dieses Problem an die ownCloud Community.", "The update was successful. Redirecting you to ownCloud now." => "Das Update war erfolgreich. Sie werden nun zu ownCloud weitergeleitet.", -"ownCloud password reset" => "ownCloud-Passwort zurücksetzen", "Use the following link to reset your password: {link}" => "Nutzen Sie den nachfolgenden Link, um Ihr Passwort zurückzusetzen: {link}", "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 ." => "Der Link zum Rücksetzen Ihres Passworts ist an Ihre E-Mail-Adresse gesendet worde.
    Wenn Sie ihn nicht innerhalb einer vernünftigen Zeitspanne erhalten, prüfen Sie bitte Ihre Spam-Verzeichnisse.
    Wenn er nicht dort ist, fragen Sie Ihren lokalen Administrator.", "Request failed!
    Did you make sure your email/username was right?" => "Anfrage fehlgeschlagen!
    Haben Sie darauf geachtet, dass E-Mail-Adresse/Nutzername korrekt waren?", @@ -129,6 +126,7 @@ $TRANSLATIONS = array( "Finish setup" => "Installation abschliessen", "%s is available. Get more information on how to update." => "%s ist verfügbar. Holen Sie weitere Informationen zu Aktualisierungen ein.", "Log out" => "Abmelden", +"More apps" => "Mehr Apps", "Automatic logon rejected!" => "Automatische Anmeldung verweigert!", "If you did not change your password recently, your account may be compromised!" => "Wenn Sie Ihr Passwort nicht vor kurzem geändert haben, könnte Ihr\nAccount kompromittiert sein!", "Please change your password to secure your account again." => "Bitte ändern Sie Ihr Passwort, um Ihr Konto wieder zu sichern.", diff --git a/core/l10n/de_DE.php b/core/l10n/de_DE.php index e019bf4e8ff..1b7397f26ac 100644 --- a/core/l10n/de_DE.php +++ b/core/l10n/de_DE.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "Dezember", "Settings" => "Einstellungen", "seconds ago" => "Gerade eben", -"1 minute ago" => "Vor 1 Minute", -"{minutes} minutes ago" => "Vor {minutes} Minuten", -"1 hour ago" => "Vor einer Stunde", -"{hours} hours ago" => "Vor {hours} Stunden", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "Heute", "yesterday" => "Gestern", -"{days} days ago" => "Vor {days} Tag(en)", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "Letzten Monat", -"{months} months ago" => "Vor {months} Monaten", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "Vor Monaten", "last year" => "Letztes Jahr", "years ago" => "Vor Jahren", @@ -86,7 +84,6 @@ $TRANSLATIONS = array( "Email sent" => "Email gesendet", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Das Update ist fehlgeschlagen. Bitte melden Sie dieses Problem an die ownCloud Community.", "The update was successful. Redirecting you to ownCloud now." => "Das Update war erfolgreich. Sie werden nun zu ownCloud weitergeleitet.", -"ownCloud password reset" => "ownCloud-Passwort zurücksetzen", "Use the following link to reset your password: {link}" => "Nutzen Sie den nachfolgenden Link, um Ihr Passwort zurückzusetzen: {link}", "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 ." => "Der Link zum Rücksetzen Ihres Passworts ist an Ihre E-Mail-Adresse gesendet worde.
    Wenn Sie ihn nicht innerhalb einer vernünftigen Zeitspanne erhalten, prüfen Sie bitte Ihre Spam-Verzeichnisse.
    Wenn er nicht dort ist, fragen Sie Ihren lokalen Administrator.", "Request failed!
    Did you make sure your email/username was right?" => "Anfrage fehlgeschlagen!
    Haben Sie darauf geachtet, dass E-Mail-Adresse/Nutzername korrekt waren?", @@ -129,7 +126,7 @@ $TRANSLATIONS = array( "Finish setup" => "Installation abschließen", "%s is available. Get more information on how to update." => "%s ist verfügbar. Holen Sie weitere Informationen zu Aktualisierungen ein.", "Log out" => "Abmelden", -"More apps" => "Weitere Anwendungen", +"More apps" => "Mehr Apps", "Automatic logon rejected!" => "Automatische Anmeldung verweigert!", "If you did not change your password recently, your account may be compromised!" => "Wenn Sie Ihr Passwort nicht vor kurzem geändert haben, könnte Ihr\nAccount kompromittiert sein!", "Please change your password to secure your account again." => "Bitte ändern Sie Ihr Passwort, um Ihr Konto wieder zu sichern.", diff --git a/core/l10n/el.php b/core/l10n/el.php index 71b4fd22174..11abe93d3ef 100644 --- a/core/l10n/el.php +++ b/core/l10n/el.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "Δεκέμβριος", "Settings" => "Ρυθμίσεις", "seconds ago" => "δευτερόλεπτα πριν", -"1 minute ago" => "1 λεπτό πριν", -"{minutes} minutes ago" => "{minutes} λεπτά πριν", -"1 hour ago" => "1 ώρα πριν", -"{hours} hours ago" => "{hours} ώρες πριν", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "σήμερα", "yesterday" => "χτες", -"{days} days ago" => "{days} ημέρες πριν", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "τελευταίο μήνα", -"{months} months ago" => "{months} μήνες πριν", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "μήνες πριν", "last year" => "τελευταίο χρόνο", "years ago" => "χρόνια πριν", @@ -86,7 +84,6 @@ $TRANSLATIONS = array( "Email sent" => "Το Email απεστάλη ", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Η ενημέρωση ήταν ανεπιτυχής. Παρακαλώ στείλτε αναφορά στην κοινότητα ownCloud.", "The update was successful. Redirecting you to ownCloud now." => "Η ενημέρωση ήταν επιτυχής. Μετάβαση στο ownCloud.", -"ownCloud password reset" => "Επαναφορά συνθηματικού ownCloud", "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 ." => "Ο σύνδεσμος για να επανακτήσετε τον κωδικό σας έχει σταλεί στο email
    αν δεν το λάβετε μέσα σε ορισμένο διάστημα, ελέγξετε τους φακελλους σας spam/junk
    αν δεν είναι εκεί ρωτήστε τον τοπικό σας διαχειριστή ", "Request failed!
    Did you make sure your email/username was right?" => "Η αίτηση απέτυχε! Βεβαιωθηκατε ότι το email σας / username ειναι σωστο? ", diff --git a/core/l10n/en@pirate.php b/core/l10n/en@pirate.php index e269c57c3d0..1b271cf5fe6 100644 --- a/core/l10n/en@pirate.php +++ b/core/l10n/en@pirate.php @@ -1,5 +1,9 @@ array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day ago_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,), "Password" => "Passcode" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/eo.php b/core/l10n/eo.php index 7ae5d654269..9ce2c88a56c 100644 --- a/core/l10n/eo.php +++ b/core/l10n/eo.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "Decembro", "Settings" => "Agordo", "seconds ago" => "sekundoj antaŭe", -"1 minute ago" => "antaŭ 1 minuto", -"{minutes} minutes ago" => "antaŭ {minutes} minutoj", -"1 hour ago" => "antaŭ 1 horo", -"{hours} hours ago" => "antaŭ {hours} horoj", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "hodiaŭ", "yesterday" => "hieraŭ", -"{days} days ago" => "antaŭ {days} tagoj", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "lastamonate", -"{months} months ago" => "antaŭ {months} monatoj", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "monatoj antaŭe", "last year" => "lastajare", "years ago" => "jaroj antaŭe", @@ -84,7 +82,6 @@ $TRANSLATIONS = array( "Email sent" => "La retpoŝtaĵo sendiĝis", "The update was unsuccessful. Please report this issue to the ownCloud community." => "La ĝisdatigo estis malsukcese. Bonvolu raporti tiun problemon al la ownClouda komunumo.", "The update was successful. Redirecting you to ownCloud now." => "La ĝisdatigo estis sukcesa. Alidirektante nun al ownCloud.", -"ownCloud password reset" => "La pasvorto de ownCloud restariĝis.", "Use the following link to reset your password: {link}" => "Uzu la jenan ligilon por restarigi vian pasvorton: {link}", "Request failed!
    Did you make sure your email/username was right?" => "La peto malsukcesis!
    Ĉu vi certiĝis, ke via retpoŝto/uzantonomo ĝustas?", "You will receive a link to reset your password via Email." => "Vi ricevos ligilon retpoŝte por rekomencigi vian pasvorton.", diff --git a/core/l10n/es.php b/core/l10n/es.php index 9e25f154a48..3f4cfa8d11d 100644 --- a/core/l10n/es.php +++ b/core/l10n/es.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "Diciembre", "Settings" => "Ajustes", "seconds ago" => "hace segundos", -"1 minute ago" => "hace 1 minuto", -"{minutes} minutes ago" => "hace {minutes} minutos", -"1 hour ago" => "Hace 1 hora", -"{hours} hours ago" => "Hace {hours} horas", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "hoy", "yesterday" => "ayer", -"{days} days ago" => "hace {days} días", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "el mes pasado", -"{months} months ago" => "Hace {months} meses", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "hace meses", "last year" => "el año pasado", "years ago" => "hace años", @@ -86,7 +84,6 @@ $TRANSLATIONS = array( "Email sent" => "Correo electrónico enviado", "The update was unsuccessful. Please report this issue to the ownCloud community." => "La actualización ha fracasado. Por favor, informe de este problema a la Comunidad de ownCloud.", "The update was successful. Redirecting you to ownCloud now." => "La actualización se ha realizado con éxito. Redireccionando a ownCloud ahora.", -"ownCloud password reset" => "Reseteo contraseña de ownCloud", "Use the following link to reset your password: {link}" => "Utilice el siguiente enlace para restablecer su contraseña: {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 ." => "El enlace para restablecer la contraseña ha sido enviada a su correo electrónico.
    Si no lo recibe en un plazo razonable de tiempo, revise su carpeta de spam / correo no deseado.
    Si no está allí, pregunte a su administrador local.", "Request failed!
    Did you make sure your email/username was right?" => "La petición ha fallado!
    ¿Está seguro de que su dirección de correo electrónico o nombre de usuario era correcto?", diff --git a/core/l10n/es_AR.php b/core/l10n/es_AR.php index 6367ba07f5f..c4e5954d9dc 100644 --- a/core/l10n/es_AR.php +++ b/core/l10n/es_AR.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "diciembre", "Settings" => "Configuración", "seconds ago" => "segundos atrás", -"1 minute ago" => "hace 1 minuto", -"{minutes} minutes ago" => "hace {minutes} minutos", -"1 hour ago" => "1 hora atrás", -"{hours} hours ago" => "hace {hours} horas", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "hoy", "yesterday" => "ayer", -"{days} days ago" => "hace {days} días", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "el mes pasado", -"{months} months ago" => "{months} meses atrás", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "meses atrás", "last year" => "el año pasado", "years ago" => "años atrás", @@ -86,7 +84,6 @@ $TRANSLATIONS = array( "Email sent" => "e-mail mandado", "The update was unsuccessful. Please report this issue to the
    ownCloud community." => "La actualización no pudo ser completada. Por favor, reportá el inconveniente a la comunidad ownCloud.", "The update was successful. Redirecting you to ownCloud now." => "La actualización fue exitosa. Estás siendo redirigido a ownCloud.", -"ownCloud password reset" => "Restablecer contraseña de ownCloud", "Use the following link to reset your password: {link}" => "Usá este enlace para restablecer tu contraseña: {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 ." => "El enlace para restablecer la contraseña fue enviada a tu e-mail.
    Si no lo recibís en un plazo de tiempo razonable, revisá tu carpeta de spam / correo no deseado.
    Si no está ahí, preguntale a tu administrador.", "Request failed!
    Did you make sure your email/username was right?" => "¡Error en el pedido!
    ¿Estás seguro de que tu dirección de correo electrónico o nombre de usuario son correcto?", diff --git a/core/l10n/et_EE.php b/core/l10n/et_EE.php index 0bc121d21fb..1d1530ecff2 100644 --- a/core/l10n/et_EE.php +++ b/core/l10n/et_EE.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "Detsember", "Settings" => "Seaded", "seconds ago" => "sekundit tagasi", -"1 minute ago" => "1 minut tagasi", -"{minutes} minutes ago" => "{minutes} minutit tagasi", -"1 hour ago" => "1 tund tagasi", -"{hours} hours ago" => "{hours} tundi tagasi", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "täna", "yesterday" => "eile", -"{days} days ago" => "{days} päeva tagasi", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "viimasel kuul", -"{months} months ago" => "{months} kuud tagasi", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "kuu tagasi", "last year" => "viimasel aastal", "years ago" => "aastat tagasi", @@ -86,7 +84,6 @@ $TRANSLATIONS = array( "Email sent" => "E-kiri on saadetud", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Uuendus ebaõnnestus. Palun teavita probleemidest ownCloud kogukonda.", "The update was successful. Redirecting you to ownCloud now." => "Uuendus oli edukas. Kohe suunatakse Sind ownCloudi.", -"ownCloud password reset" => "ownCloud parooli taastamine", "Use the following link to reset your password: {link}" => "Kasuta järgnevat linki oma parooli taastamiseks: {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 ." => "Link parooli vahetuseks on saadetud Sinu e-posti aadressile.
    Kui kiri pole saabunud mõistliku aja jooksul, siis kontrolli oma spam-/rämpskirjade katalooge.
    Kui kirja pole ka seal, siis küsi abi süsteemihaldurilt.", "Request failed!
    Did you make sure your email/username was right?" => "Päring ebaõnnestus!
    Oled sa veendunud, et e-post/kasutajanimi on õiged?", diff --git a/core/l10n/eu.php b/core/l10n/eu.php index f3b790ccb58..180c39fd677 100644 --- a/core/l10n/eu.php +++ b/core/l10n/eu.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "Abendua", "Settings" => "Ezarpenak", "seconds ago" => "segundu", -"1 minute ago" => "orain dela minutu 1", -"{minutes} minutes ago" => "orain dela {minutes} minutu", -"1 hour ago" => "orain dela ordu bat", -"{hours} hours ago" => "orain dela {hours} ordu", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "gaur", "yesterday" => "atzo", -"{days} days ago" => "orain dela {days} egun", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "joan den hilabetean", -"{months} months ago" => "orain dela {months} hilabete", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "hilabete", "last year" => "joan den urtean", "years ago" => "urte", @@ -86,7 +84,6 @@ $TRANSLATIONS = array( "Email sent" => "Eposta bidalia", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Eguneraketa ez da ongi egin. Mesedez egin arazoaren txosten bat ownCloud komunitatearentzako.", "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?", diff --git a/core/l10n/fa.php b/core/l10n/fa.php index 0eef756200a..03542c2123b 100644 --- a/core/l10n/fa.php +++ b/core/l10n/fa.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "دسامبر", "Settings" => "تنظیمات", "seconds ago" => "ثانیه‌ها پیش", -"1 minute ago" => "1 دقیقه پیش", -"{minutes} minutes ago" => "{دقیقه ها} دقیقه های پیش", -"1 hour ago" => "1 ساعت پیش", -"{hours} hours ago" => "{ساعت ها} ساعت ها پیش", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "امروز", "yesterday" => "دیروز", -"{days} days ago" => "{روزها} روزهای پیش", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "ماه قبل", -"{months} months ago" => "{ماه ها} ماه ها پیش", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "ماه‌های قبل", "last year" => "سال قبل", "years ago" => "سال‌های قبل", @@ -86,7 +84,6 @@ $TRANSLATIONS = array( "Email sent" => "ایمیل ارسال شد", "The update was unsuccessful. Please report this issue to the ownCloud community." => "به روز رسانی ناموفق بود. لطفا این خطا را به جامعه ی OwnCloud گزارش نمایید.", "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?" => "درخواست رد شده است !
    آیا مطمئن هستید که ایمیل/ نام کاربری شما صحیح میباشد ؟", diff --git a/core/l10n/fi_FI.php b/core/l10n/fi_FI.php index e6da2c28201..90fa84e4eb4 100644 --- a/core/l10n/fi_FI.php +++ b/core/l10n/fi_FI.php @@ -28,15 +28,13 @@ $TRANSLATIONS = array( "December" => "joulukuu", "Settings" => "Asetukset", "seconds ago" => "sekuntia sitten", -"1 minute ago" => "1 minuutti sitten", -"{minutes} minutes ago" => "{minutes} minuuttia sitten", -"1 hour ago" => "1 tunti sitten", -"{hours} hours ago" => "{hours} tuntia sitten", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "tänään", "yesterday" => "eilen", -"{days} days ago" => "{days} päivää sitten", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "viime kuussa", -"{months} months ago" => "{months} kuukautta sitten", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "kuukautta sitten", "last year" => "viime vuonna", "years ago" => "vuotta sitten", @@ -81,7 +79,6 @@ $TRANSLATIONS = array( "Email sent" => "Sähköposti lähetetty", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Päivitys epäonnistui. Ilmoita ongelmasta ownCloud-yhteisölle.", "The update was successful. Redirecting you to ownCloud now." => "Päivitys onnistui. Selain ohjautuu nyt ownCloudiisi.", -"ownCloud password reset" => "ownCloud-salasanan nollaus", "Use the following link to reset your password: {link}" => "Voit palauttaa salasanasi seuraavassa osoitteessa: {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 ." => "Linkki salasanan nollaamiseen on lähetetty sähköpostiisi.
    Jos et saa viestiä pian, tarkista roskapostikansiosi.
    Jos et löydä viestiä roskapostinkaan seasta, ota yhteys ylläpitäjään.", "Request failed!
    Did you make sure your email/username was right?" => "Pyyntö epäonnistui!
    Olihan sähköpostiosoitteesi/käyttäjätunnuksesi oikein?", diff --git a/core/l10n/fr.php b/core/l10n/fr.php index b5d8a90e34c..4f7d6cb47f9 100644 --- a/core/l10n/fr.php +++ b/core/l10n/fr.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "décembre", "Settings" => "Paramètres", "seconds ago" => "il y a quelques secondes", -"1 minute ago" => "il y a une minute", -"{minutes} minutes ago" => "il y a {minutes} minutes", -"1 hour ago" => "Il y a une heure", -"{hours} hours ago" => "Il y a {hours} heures", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "aujourd'hui", "yesterday" => "hier", -"{days} days ago" => "il y a {days} jours", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "le mois dernier", -"{months} months ago" => "Il y a {months} mois", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "il y a plusieurs mois", "last year" => "l'année dernière", "years ago" => "il y a plusieurs années", @@ -86,7 +84,6 @@ $TRANSLATIONS = array( "Email sent" => "Email envoyé", "The update was unsuccessful. Please report this issue to the ownCloud community." => "La mise à jour a échoué. Veuillez signaler ce problème à la communauté ownCloud.", "The update was successful. Redirecting you to ownCloud now." => "La mise à jour a réussi. Vous êtes redirigé maintenant vers ownCloud.", -"ownCloud password reset" => "Réinitialisation de votre mot de passe Owncloud", "Use the following link to reset your password: {link}" => "Utilisez le lien suivant pour réinitialiser votre mot de passe : {link}", "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 ." => "Le lien permettant de réinitialiser votre mot de passe vous a été transmis.
    Si vous ne le recevez pas dans un délai raisonnable, vérifier votre boîte de pourriels.
    Au besoin, contactez votre administrateur local.", "Request failed!
    Did you make sure your email/username was right?" => "Requête en échec!
    Avez-vous vérifié vos courriel/nom d'utilisateur?", diff --git a/core/l10n/gl.php b/core/l10n/gl.php index 1c51d8443a3..9822d88aee0 100644 --- a/core/l10n/gl.php +++ b/core/l10n/gl.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "decembro", "Settings" => "Axustes", "seconds ago" => "segundos atrás", -"1 minute ago" => "hai 1 minuto", -"{minutes} minutes ago" => "hai {minutes} minutos", -"1 hour ago" => "Vai 1 hora", -"{hours} hours ago" => "hai {hours} horas", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "hoxe", "yesterday" => "onte", -"{days} days ago" => "hai {days} días", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "último mes", -"{months} months ago" => "hai {months} meses", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "meses atrás", "last year" => "último ano", "years ago" => "anos atrás", @@ -86,7 +84,6 @@ $TRANSLATIONS = array( "Email sent" => "Correo enviado", "The update was unsuccessful. Please report this issue to the ownCloud community." => "A actualización non foi satisfactoria, informe deste problema á comunidade de ownCloud.", "The update was successful. Redirecting you to ownCloud now." => "A actualización realizouse correctamente. Redirixíndoo agora á ownCloud.", -"ownCloud password reset" => "Restabelecer o contrasinal de ownCloud", "Use the following link to reset your password: {link}" => "Usa a seguinte ligazón para restabelecer o contrasinal: {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 ." => "Envióuselle ao seu correo unha ligazón para restabelecer o seu contrasinal.
    Se non o recibe nun prazo razoábel de tempo, revise o seu cartafol de correo lixo ou de non desexados.
    Se non o atopa aí pregúntelle ao seu administrador local..", "Request failed!
    Did you make sure your email/username was right?" => "Non foi posíbel facer a petición!
    Asegúrese de que o seu enderezo de correo ou nome de usuario é correcto.", diff --git a/core/l10n/he.php b/core/l10n/he.php index c5fed42db8f..7cb0ebe1470 100644 --- a/core/l10n/he.php +++ b/core/l10n/he.php @@ -29,15 +29,13 @@ $TRANSLATIONS = array( "December" => "דצמבר", "Settings" => "הגדרות", "seconds ago" => "שניות", -"1 minute ago" => "לפני דקה אחת", -"{minutes} minutes ago" => "לפני {minutes} דקות", -"1 hour ago" => "לפני שעה", -"{hours} hours ago" => "לפני {hours} שעות", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "היום", "yesterday" => "אתמול", -"{days} days ago" => "לפני {days} ימים", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "חודש שעבר", -"{months} months ago" => "לפני {months} חודשים", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "חודשים", "last year" => "שנה שעברה", "years ago" => "שנים", @@ -84,7 +82,6 @@ $TRANSLATIONS = array( "Email sent" => "הודעת הדוא״ל נשלחה", "The update was unsuccessful. Please report this issue to the ownCloud community." => "תהליך העדכון לא הושלם בהצלחה. נא דווח את הבעיה בקהילת ownCloud.", "The update was successful. Redirecting you to ownCloud now." => "תהליך העדכון הסתיים בהצלחה. עכשיו מנתב אותך אל ownCloud.", -"ownCloud password reset" => "איפוס הססמה של ownCloud", "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 ." => "הקישור לאיפוס הססמה שלך נשלח אליך בדוא״ל.
    אם לא קיבלת את הקישור תוך זמן סביר, מוטב לבדוק את תיבת הזבל שלך.
    אם ההודעה לא שם, כדאי לשאול את מנהל הרשת שלך .", "Request failed!
    Did you make sure your email/username was right?" => "הבקשה נכשלה!
    האם כתובת הדוא״ל/שם המשתמש שלך נכונים?", diff --git a/core/l10n/hi.php b/core/l10n/hi.php index 37ac5d8ae0d..60b834ef5db 100644 --- a/core/l10n/hi.php +++ b/core/l10n/hi.php @@ -13,6 +13,10 @@ $TRANSLATIONS = array( "November" => "नवंबर", "December" => "दिसम्बर", "Settings" => "सेटिंग्स", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day ago_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,), "Error" => "त्रुटि", "Share" => "साझा करें", "Share with" => "के साथ साझा", diff --git a/core/l10n/hr.php b/core/l10n/hr.php index 856a3019fb1..9bdad09f741 100644 --- a/core/l10n/hr.php +++ b/core/l10n/hr.php @@ -23,9 +23,13 @@ $TRANSLATIONS = array( "December" => "Prosinac", "Settings" => "Postavke", "seconds ago" => "sekundi prije", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "danas", "yesterday" => "jučer", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "prošli mjesec", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "mjeseci", "last year" => "prošlu godinu", "years ago" => "godina", @@ -58,7 +62,6 @@ $TRANSLATIONS = array( "Password protected" => "Zaštita lozinkom", "Error unsetting expiration date" => "Greška prilikom brisanja datuma isteka", "Error setting expiration date" => "Greška prilikom postavljanja datuma isteka", -"ownCloud password reset" => "ownCloud resetiranje lozinke", "Use the following link to reset your password: {link}" => "Koristite ovaj link da biste poništili lozinku: {link}", "You will receive a link to reset your password via Email." => "Primit ćete link kako biste poništili zaporku putem e-maila.", "Username" => "Korisničko ime", diff --git a/core/l10n/hu_HU.php b/core/l10n/hu_HU.php index 68c519f7e7d..aca30e2dfc7 100644 --- a/core/l10n/hu_HU.php +++ b/core/l10n/hu_HU.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "december", "Settings" => "Beállítások", "seconds ago" => "pár másodperce", -"1 minute ago" => "1 perce", -"{minutes} minutes ago" => "{minutes} perce", -"1 hour ago" => "1 órája", -"{hours} hours ago" => "{hours} órája", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "ma", "yesterday" => "tegnap", -"{days} days ago" => "{days} napja", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "múlt hónapban", -"{months} months ago" => "{months} hónapja", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "több hónapja", "last year" => "tavaly", "years ago" => "több éve", @@ -86,7 +84,6 @@ $TRANSLATIONS = array( "Email sent" => "Az emailt elküldtük", "The update was unsuccessful. Please report this issue to the ownCloud community." => "A frissítés nem sikerült. Kérem értesítse erről a problémáról az ownCloud közösséget.", "The update was successful. Redirecting you to ownCloud now." => "A frissítés sikeres volt. Visszairányítjuk az ownCloud szolgáltatáshoz.", -"ownCloud password reset" => "ownCloud jelszó-visszaállítás", "Use the following link to reset your password: {link}" => "Használja ezt a linket a jelszó ismételt beállításához: {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 ." => "Emailben fog kapni egy linket, amivel új jelszót tud majd beállítani magának.
    Ha a levél nem jött meg, holott úgy érzi, hogy már meg kellett volna érkeznie, akkor ellenőrizze a spam/levélszemét mappáját.
    Ha ott sincsen, akkor érdeklődjön a rendszergazdánál.", "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?", diff --git a/core/l10n/hy.php b/core/l10n/hy.php index ac1006dd9ad..a97f05cb109 100644 --- a/core/l10n/hy.php +++ b/core/l10n/hy.php @@ -18,6 +18,10 @@ $TRANSLATIONS = array( "September" => "Սեպտեմբեր", "October" => "Հոկտեմբեր", "November" => "Նոյեմբեր", -"December" => "Դեկտեմբեր" +"December" => "Դեկտեմբեր", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day ago_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,) ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/ia.php b/core/l10n/ia.php index e02a38d3a09..75ad8ae4fb3 100644 --- a/core/l10n/ia.php +++ b/core/l10n/ia.php @@ -20,12 +20,15 @@ $TRANSLATIONS = array( "November" => "Novembre", "December" => "Decembre", "Settings" => "Configurationes", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day ago_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,), "Cancel" => "Cancellar", "Error" => "Error", "Share" => "Compartir", "Password" => "Contrasigno", "Send" => "Invia", -"ownCloud password reset" => "Reinitialisation del contrasigno de ownCLoud", "Username" => "Nomine de usator", "Request reset" => "Requestar reinitialisation", "Your password was reset" => "Tu contrasigno esseva reinitialisate", diff --git a/core/l10n/id.php b/core/l10n/id.php index e0bc733f90b..f4b17d03953 100644 --- a/core/l10n/id.php +++ b/core/l10n/id.php @@ -29,15 +29,13 @@ $TRANSLATIONS = array( "December" => "Desember", "Settings" => "Setelan", "seconds ago" => "beberapa detik yang lalu", -"1 minute ago" => "1 menit yang lalu", -"{minutes} minutes ago" => "{minutes} menit yang lalu", -"1 hour ago" => "1 jam yang lalu", -"{hours} hours ago" => "{hours} jam yang lalu", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "hari ini", "yesterday" => "kemarin", -"{days} days ago" => "{days} hari yang lalu", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "bulan kemarin", -"{months} months ago" => "{months} bulan yang lalu", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "beberapa bulan lalu", "last year" => "tahun kemarin", "years ago" => "beberapa tahun lalu", @@ -83,7 +81,6 @@ $TRANSLATIONS = array( "Email sent" => "Email terkirim", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Pembaruan gagal. Silakan laporkan masalah ini ke komunitas ownCloud.", "The update was successful. Redirecting you to ownCloud now." => "Pembaruan sukses. Anda akan diarahkan ulang ke ownCloud.", -"ownCloud password reset" => "Setel ulang sandi ownCloud", "Use the following link to reset your password: {link}" => "Gunakan tautan berikut untuk menyetel ulang sandi Anda: {link}", "You will receive a link to reset your password via Email." => "Anda akan menerima tautan penyetelan ulang sandi lewat Email.", "Username" => "Nama pengguna", diff --git a/core/l10n/is.php b/core/l10n/is.php index 180e28e974e..f8686b2113f 100644 --- a/core/l10n/is.php +++ b/core/l10n/is.php @@ -28,15 +28,13 @@ $TRANSLATIONS = array( "December" => "Desember", "Settings" => "Stillingar", "seconds ago" => "sek.", -"1 minute ago" => "Fyrir 1 mínútu", -"{minutes} minutes ago" => "{minutes} min síðan", -"1 hour ago" => "Fyrir 1 klst.", -"{hours} hours ago" => "fyrir {hours} klst.", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "í dag", "yesterday" => "í gær", -"{days} days ago" => "{days} dagar síðan", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "síðasta mánuði", -"{months} months ago" => "fyrir {months} mánuðum", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "mánuðir síðan", "last year" => "síðasta ári", "years ago" => "einhverjum árum", @@ -81,7 +79,6 @@ $TRANSLATIONS = array( "Sending ..." => "Sendi ...", "Email sent" => "Tölvupóstur sendur", "The update was successful. Redirecting you to ownCloud now." => "Uppfærslan heppnaðist. Beini þér til ownCloud nú.", -"ownCloud password reset" => "endursetja ownCloud lykilorð", "Use the following link to reset your password: {link}" => "Notað eftirfarandi veftengil til að endursetja lykilorðið þitt: {link}", "You will receive a link to reset your password via Email." => "Þú munt fá veftengil í tölvupósti til að endursetja lykilorðið.", "Username" => "Notendanafn", diff --git a/core/l10n/it.php b/core/l10n/it.php index 3fc006b9a5c..8708386dace 100644 --- a/core/l10n/it.php +++ b/core/l10n/it.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "Dicembre", "Settings" => "Impostazioni", "seconds ago" => "secondi fa", -"1 minute ago" => "Un minuto fa", -"{minutes} minutes ago" => "{minutes} minuti fa", -"1 hour ago" => "1 ora fa", -"{hours} hours ago" => "{hours} ore fa", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "oggi", "yesterday" => "ieri", -"{days} days ago" => "{days} giorni fa", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "mese scorso", -"{months} months ago" => "{months} mesi fa", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "mesi fa", "last year" => "anno scorso", "years ago" => "anni fa", @@ -86,7 +84,6 @@ $TRANSLATIONS = array( "Email sent" => "Messaggio inviato", "The update was unsuccessful. Please report this issue to the ownCloud community." => "L'aggiornamento non è riuscito. Segnala il problema alla comunità di ownCloud.", "The update was successful. Redirecting you to ownCloud now." => "L'aggiornamento è stato effettuato correttamente. Stai per essere reindirizzato a ownCloud.", -"ownCloud password reset" => "Ripristino password di ownCloud", "Use the following link to reset your password: {link}" => "Usa il collegamento seguente per ripristinare la password: {link}", "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 ." => "Il collegamento per ripristinare la password è stato inviato al tuo indirizzo di posta.
    Se non lo ricevi in tempi ragionevoli, controlla le cartelle della posta indesiderata.
    Se non dovesse essere nemmeno lì, contatta il tuo amministratore locale.", "Request failed!
    Did you make sure your email/username was right?" => "Richiesta non riuscita!
    Sei sicuro che l'indirizzo di posta/nome utente fosse corretto?", diff --git a/core/l10n/ja_JP.php b/core/l10n/ja_JP.php index 96185dbb116..c1c2158db62 100644 --- a/core/l10n/ja_JP.php +++ b/core/l10n/ja_JP.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "12月", "Settings" => "設定", "seconds ago" => "数秒前", -"1 minute ago" => "1 分前", -"{minutes} minutes ago" => "{minutes} 分前", -"1 hour ago" => "1 時間前", -"{hours} hours ago" => "{hours} 時間前", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "今日", "yesterday" => "昨日", -"{days} days ago" => "{days} 日前", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "一月前", -"{months} months ago" => "{months} 月前", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "月前", "last year" => "一年前", "years ago" => "年前", @@ -86,7 +84,6 @@ $TRANSLATIONS = array( "Email sent" => "メールを送信しました", "The update was unsuccessful. Please report this issue to the ownCloud community." => "更新に成功しました。この問題を ownCloud community にレポートしてください。", "The update was successful. Redirecting you to ownCloud now." => "更新に成功しました。今すぐownCloudにリダイレクトします。", -"ownCloud password reset" => "ownCloudのパスワードをリセットします", "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 ." => "パスワードリセットのリンクをあなたのメールアドレスに送信しました。
    しばらくたっても受信出来ない場合は、スパム/迷惑メールフォルダを確認して下さい。
    もしそこにもない場合は、管理者に問い合わせてください。", "Request failed!
    Did you make sure your email/username was right?" => "リクエストに失敗しました!
    あなたのメール/ユーザ名が正しいことを確認しましたか?", diff --git a/core/l10n/ka.php b/core/l10n/ka.php index 5a6814afaf0..011fe0af3e4 100644 --- a/core/l10n/ka.php +++ b/core/l10n/ka.php @@ -1,10 +1,12 @@ "წამის წინ", -"1 minute ago" => "1 წუთის წინ", -"1 hour ago" => "1 საათის წინ", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "დღეს", "yesterday" => "გუშინ", +"_%n day ago_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,), "Password" => "პაროლი", "Personal" => "პერსონა", "Users" => "მომხმარებლები", diff --git a/core/l10n/ka_GE.php b/core/l10n/ka_GE.php index 9f0cb93fcd1..4666ce33a13 100644 --- a/core/l10n/ka_GE.php +++ b/core/l10n/ka_GE.php @@ -29,15 +29,13 @@ $TRANSLATIONS = array( "December" => "დეკემბერი", "Settings" => "პარამეტრები", "seconds ago" => "წამის წინ", -"1 minute ago" => "1 წუთის წინ", -"{minutes} minutes ago" => "{minutes} წუთის წინ", -"1 hour ago" => "1 საათის წინ", -"{hours} hours ago" => "{hours} საათის წინ", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "დღეს", "yesterday" => "გუშინ", -"{days} days ago" => "{days} დღის წინ", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "გასულ თვეში", -"{months} months ago" => "{months} თვის წინ", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "თვის წინ", "last year" => "ბოლო წელს", "years ago" => "წლის წინ", @@ -83,7 +81,6 @@ $TRANSLATIONS = array( "Email sent" => "იმეილი გაიგზავნა", "The update was unsuccessful. Please report this issue to the ownCloud community." => "განახლება ვერ განხორციელდა. გთხოვთ შეგვატყობინოთ ამ პრობლემის შესახებ აქ: ownCloud community.", "The update was successful. Redirecting you to ownCloud now." => "განახლება ვერ განხორციელდა. გადამისამართება თქვენს ownCloud–ზე.", -"ownCloud password reset" => "ownCloud პაროლის შეცვლა", "Use the following link to reset your password: {link}" => "გამოიყენე შემდეგი ლინკი პაროლის შესაცვლელად: {link}", "You will receive a link to reset your password via Email." => "თქვენ მოგივათ პაროლის შესაცვლელი ლინკი მეილზე", "Username" => "მომხმარებლის სახელი", diff --git a/core/l10n/kn.php b/core/l10n/kn.php new file mode 100644 index 00000000000..129c6e0092e --- /dev/null +++ b/core/l10n/kn.php @@ -0,0 +1,8 @@ + array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day ago_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,) +); +$PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/core/l10n/ko.php b/core/l10n/ko.php index 814dfadb661..ce7e5c57a0b 100644 --- a/core/l10n/ko.php +++ b/core/l10n/ko.php @@ -29,15 +29,13 @@ $TRANSLATIONS = array( "December" => "12월", "Settings" => "설정", "seconds ago" => "초 전", -"1 minute ago" => "1분 전", -"{minutes} minutes ago" => "{minutes}분 전", -"1 hour ago" => "1시간 전", -"{hours} hours ago" => "{hours}시간 전", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "오늘", "yesterday" => "어제", -"{days} days ago" => "{days}일 전", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "지난 달", -"{months} months ago" => "{months}개월 전", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "개월 전", "last year" => "작년", "years ago" => "년 전", @@ -84,7 +82,6 @@ $TRANSLATIONS = array( "Email sent" => "이메일 발송됨", "The update was unsuccessful. Please report this issue to the ownCloud community." => "업데이트가 실패하였습니다. 이 문제를 ownCloud 커뮤니티에 보고해 주십시오.", "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." => "이메일로 암호 재설정 링크를 보냈습니다.", diff --git a/core/l10n/ku_IQ.php b/core/l10n/ku_IQ.php index 02f71d84edf..471ac9ce377 100644 --- a/core/l10n/ku_IQ.php +++ b/core/l10n/ku_IQ.php @@ -1,6 +1,10 @@ "ده‌ستكاری", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day ago_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,), "Error" => "هه‌ڵه", "Password" => "وشەی تێپەربو", "Username" => "ناوی به‌کارهێنه‌ر", diff --git a/core/l10n/lb.php b/core/l10n/lb.php index ccc019d014a..02d1326fb2a 100644 --- a/core/l10n/lb.php +++ b/core/l10n/lb.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "Dezember", "Settings" => "Astellungen", "seconds ago" => "Sekonnen hir", -"1 minute ago" => "1 Minutt hir", -"{minutes} minutes ago" => "virun {minutes} Minutten", -"1 hour ago" => "virun 1 Stonn", -"{hours} hours ago" => "virun {hours} Stonnen", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "haut", "yesterday" => "gëschter", -"{days} days ago" => "virun {days} Deeg", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "leschte Mount", -"{months} months ago" => "virun {months} Méint", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "Méint hir", "last year" => "Lescht Joer", "years ago" => "Joren hir", @@ -86,7 +84,6 @@ $TRANSLATIONS = array( "Email sent" => "Email geschéckt", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Den Update war net erfollegräich. Mell dëse Problem w.e.gl derownCloud-Community.", "The update was successful. Redirecting you to ownCloud now." => "Den Update war erfollegräich. Du gëss elo bei d'ownCloud ëmgeleet.", -"ownCloud password reset" => "Passwuert-Zrécksetzung vun der ownCloud", "Use the following link to reset your password: {link}" => "Benotz folgende Link fir däi Passwuert zréckzesetzen: {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 ." => "De Link fir d'Passwuert zréckzesetzen gouf un deng E-Mail-Adress geschéckt.
    Falls du d'Mail net an den nächste Minutte kriss, kuck w.e.gl. an dengem Spam-Dossier.
    Wann do och keng Mail ass, fro w.e.gl. däin Adminstrateur.", "Request failed!
    Did you make sure your email/username was right?" => "Ufro feelfeschloen!
    Hues du séchergestallt dass deng Email respektiv däi Benotzernumm korrekt sinn?", diff --git a/core/l10n/lt_LT.php b/core/l10n/lt_LT.php index d0c4d4d79a3..6e69b780274 100644 --- a/core/l10n/lt_LT.php +++ b/core/l10n/lt_LT.php @@ -29,15 +29,13 @@ $TRANSLATIONS = array( "December" => "Gruodis", "Settings" => "Nustatymai", "seconds ago" => "prieš sekundę", -"1 minute ago" => "Prieš 1 minutę", -"{minutes} minutes ago" => "Prieš {count} minutes", -"1 hour ago" => "prieš 1 valandą", -"{hours} hours ago" => "prieš {hours} valandas", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "šiandien", "yesterday" => "vakar", -"{days} days ago" => "Prieš {days} dienas", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "praeitą mėnesį", -"{months} months ago" => "prieš {months} mėnesių", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "prieš mėnesį", "last year" => "praeitais metais", "years ago" => "prieš metus", @@ -84,7 +82,6 @@ $TRANSLATIONS = array( "Email sent" => "Laiškas išsiųstas", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Atnaujinimas buvo nesėkmingas. PApie tai prašome pranešti the ownCloud bendruomenei.", "The update was successful. Redirecting you to ownCloud now." => "Atnaujinimas buvo sėkmingas. Nukreipiame į jūsų ownCloud.", -"ownCloud password reset" => "ownCloud slaptažodžio atkūrimas", "Use the following link to reset your password: {link}" => "Slaptažodio atkūrimui naudokite šią nuorodą: {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 ." => "Nuorodą su jūsų slaptažodžio atkūrimu buvo nusiųsta jums į paštą.
    Jei jo negausite per atitinkamą laiką, pasižiūrėkite brukalo aplankale.
    Jei jo ir ten nėra, teiraukitės administratoriaus.", "Request failed!
    Did you make sure your email/username was right?" => "Klaida!
    Ar tikrai jūsų el paštas/vartotojo vardas buvo teisingi?", diff --git a/core/l10n/lv.php b/core/l10n/lv.php index 1cac8466d0a..c7696fb067d 100644 --- a/core/l10n/lv.php +++ b/core/l10n/lv.php @@ -29,15 +29,13 @@ $TRANSLATIONS = array( "December" => "Decembris", "Settings" => "Iestatījumi", "seconds ago" => "sekundes atpakaļ", -"1 minute ago" => "pirms 1 minūtes", -"{minutes} minutes ago" => "pirms {minutes} minūtēm", -"1 hour ago" => "pirms 1 stundas", -"{hours} hours ago" => "pirms {hours} stundām", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "šodien", "yesterday" => "vakar", -"{days} days ago" => "pirms {days} dienām", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "pagājušajā mēnesī", -"{months} months ago" => "pirms {months} mēnešiem", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "mēnešus atpakaļ", "last year" => "gājušajā gadā", "years ago" => "gadus atpakaļ", @@ -83,7 +81,6 @@ $TRANSLATIONS = array( "Email sent" => "Vēstule nosūtīta", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Atjaunināšana beidzās nesekmīgi. Lūdzu, ziņojiet par šo problēmu ownCloud kopienai.", "The update was successful. Redirecting you to ownCloud now." => "Atjaunināšana beidzās sekmīgi. Tagad pārsūta jūs uz ownCloud.", -"ownCloud password reset" => "ownCloud paroles maiņa", "Use the following link to reset your password: {link}" => "Izmantojiet šo saiti, lai mainītu paroli: {link}", "You will receive a link to reset your password via Email." => "Jūs savā epastā saņemsiet interneta saiti, caur kuru varēsiet atjaunot paroli.", "Username" => "Lietotājvārds", diff --git a/core/l10n/mk.php b/core/l10n/mk.php index 3e43b861d60..087a74fe94f 100644 --- a/core/l10n/mk.php +++ b/core/l10n/mk.php @@ -28,15 +28,13 @@ $TRANSLATIONS = array( "December" => "Декември", "Settings" => "Подесувања", "seconds ago" => "пред секунди", -"1 minute ago" => "пред 1 минута", -"{minutes} minutes ago" => "пред {minutes} минути", -"1 hour ago" => "пред 1 час", -"{hours} hours ago" => "пред {hours} часови", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "денеска", "yesterday" => "вчера", -"{days} days ago" => "пред {days} денови", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "минатиот месец", -"{months} months ago" => "пред {months} месеци", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "пред месеци", "last year" => "минатата година", "years ago" => "пред години", @@ -79,7 +77,6 @@ $TRANSLATIONS = array( "Error setting expiration date" => "Грешка при поставување на рок на траење", "Sending ..." => "Праќање...", "Email sent" => "Е-порака пратена", -"ownCloud password reset" => "ресетирање на лозинка за ownCloud", "Use the following link to reset your password: {link}" => "Користете ја следната врска да ја ресетирате Вашата лозинка: {link}", "You will receive a link to reset your password via Email." => "Ќе добиете врска по е-пошта за да може да ја ресетирате Вашата лозинка.", "Username" => "Корисничко име", diff --git a/core/l10n/ml_IN.php b/core/l10n/ml_IN.php new file mode 100644 index 00000000000..883f2beb4ee --- /dev/null +++ b/core/l10n/ml_IN.php @@ -0,0 +1,8 @@ + array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day ago_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,) +); +$PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/ms_MY.php b/core/l10n/ms_MY.php index 22860c0a277..239fad9e3c7 100644 --- a/core/l10n/ms_MY.php +++ b/core/l10n/ms_MY.php @@ -22,6 +22,10 @@ $TRANSLATIONS = array( "November" => "November", "December" => "Disember", "Settings" => "Tetapan", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day ago_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,), "Cancel" => "Batal", "Yes" => "Ya", "No" => "Tidak", @@ -29,7 +33,6 @@ $TRANSLATIONS = array( "Error" => "Ralat", "Share" => "Kongsi", "Password" => "Kata laluan", -"ownCloud password reset" => "Set semula kata lalaun ownCloud", "Use the following link to reset your password: {link}" => "Guna pautan berikut untuk menetapkan semula kata laluan anda: {link}", "You will receive a link to reset your password via Email." => "Anda akan menerima pautan untuk menetapkan semula kata laluan anda melalui emel", "Username" => "Nama pengguna", diff --git a/core/l10n/my_MM.php b/core/l10n/my_MM.php index 3a7043e760d..21044ad5d42 100644 --- a/core/l10n/my_MM.php +++ b/core/l10n/my_MM.php @@ -15,11 +15,13 @@ $TRANSLATIONS = array( "November" => "နိုဝင်ဘာ", "December" => "ဒီဇင်ဘာ", "seconds ago" => "စက္ကန့်အနည်းငယ်က", -"1 minute ago" => "၁ မိနစ်အရင်က", -"1 hour ago" => "၁ နာရီ အရင်က", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "ယနေ့", "yesterday" => "မနေ့က", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "ပြီးခဲ့သောလ", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "မနှစ်က", "years ago" => "နှစ် အရင်က", "Choose" => "ရွေးချယ်", diff --git a/core/l10n/nb_NO.php b/core/l10n/nb_NO.php index fc075fe17a2..643903a244b 100644 --- a/core/l10n/nb_NO.php +++ b/core/l10n/nb_NO.php @@ -25,15 +25,13 @@ $TRANSLATIONS = array( "December" => "Desember", "Settings" => "Innstillinger", "seconds ago" => "sekunder siden", -"1 minute ago" => "1 minutt siden", -"{minutes} minutes ago" => "{minutes} minutter siden", -"1 hour ago" => "1 time siden", -"{hours} hours ago" => "{hours} timer siden", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "i dag", "yesterday" => "i går", -"{days} days ago" => "{days} dager siden", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "forrige måned", -"{months} months ago" => "{months} måneder siden", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "måneder siden", "last year" => "forrige år", "years ago" => "år siden", @@ -67,7 +65,6 @@ $TRANSLATIONS = array( "Error setting expiration date" => "Kan ikke sette utløpsdato", "Sending ..." => "Sender...", "Email sent" => "E-post sendt", -"ownCloud password reset" => "Tilbakestill ownCloud passord", "Use the following link to reset your password: {link}" => "Bruk følgende lenke for å tilbakestille passordet ditt: {link}", "You will receive a link to reset your password via Email." => "Du burde motta detaljer om å tilbakestille passordet ditt via epost.", "Username" => "Brukernavn", diff --git a/core/l10n/ne.php b/core/l10n/ne.php new file mode 100644 index 00000000000..883f2beb4ee --- /dev/null +++ b/core/l10n/ne.php @@ -0,0 +1,8 @@ + array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day ago_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,) +); +$PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/nl.php b/core/l10n/nl.php index 019e539b281..183899dc4a6 100644 --- a/core/l10n/nl.php +++ b/core/l10n/nl.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "december", "Settings" => "Instellingen", "seconds ago" => "seconden geleden", -"1 minute ago" => "1 minuut geleden", -"{minutes} minutes ago" => "{minutes} minuten geleden", -"1 hour ago" => "1 uur geleden", -"{hours} hours ago" => "{hours} uren geleden", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "vandaag", "yesterday" => "gisteren", -"{days} days ago" => "{days} dagen geleden", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "vorige maand", -"{months} months ago" => "{months} maanden geleden", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "maanden geleden", "last year" => "vorig jaar", "years ago" => "jaar geleden", @@ -86,7 +84,6 @@ $TRANSLATIONS = array( "Email sent" => "E-mail verzonden", "The update was unsuccessful. Please report this issue to the ownCloud community." => "De update is niet geslaagd. Meld dit probleem aan bij de ownCloud community.", "The update was successful. Redirecting you to ownCloud now." => "De update is geslaagd. Je wordt teruggeleid naar je eigen ownCloud.", -"ownCloud password reset" => "ownCloud-wachtwoord herstellen", "Use the following link to reset your password: {link}" => "Gebruik de volgende link om je wachtwoord te resetten: {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 ." => "De link voor het resetten van je wachtwoord is verzonden naar je e-mailadres.
    Als je dat bericht niet snel ontvangen hebt, controleer dan uw spambakje.
    Als het daar ook niet is, vraag dan je beheerder om te helpen.", "Request failed!
    Did you make sure your email/username was right?" => "Aanvraag mislukt!
    Weet je zeker dat je gebruikersnaam en/of wachtwoord goed waren?", diff --git a/core/l10n/nn_NO.php b/core/l10n/nn_NO.php index 246429b79f5..47023faae88 100644 --- a/core/l10n/nn_NO.php +++ b/core/l10n/nn_NO.php @@ -29,15 +29,13 @@ $TRANSLATIONS = array( "December" => "Desember", "Settings" => "Innstillingar", "seconds ago" => "sekund sidan", -"1 minute ago" => "1 minutt sidan", -"{minutes} minutes ago" => "{minutes} minutt sidan", -"1 hour ago" => "1 time sidan", -"{hours} hours ago" => "{hours} timar sidan", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "i dag", "yesterday" => "i går", -"{days} days ago" => "{days} dagar sidan", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "førre månad", -"{months} months ago" => "{months} månadar sidan", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "månadar sidan", "last year" => "i fjor", "years ago" => "år sidan", @@ -83,7 +81,6 @@ $TRANSLATIONS = array( "Email sent" => "E-post sendt", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Oppdateringa feila. Ver venleg og rapporter feilen til ownCloud-fellesskapet.", "The update was successful. Redirecting you to ownCloud now." => "Oppdateringa er fullført. Sender deg vidare til ownCloud no.", -"ownCloud password reset" => "Nullstilling av ownCloud-passord", "Use the following link to reset your password: {link}" => "Klikk følgjande lenkje til å nullstilla passordet ditt: {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 ." => "Lenkja til å nullstilla passordet med er sendt til e-posten din.
    Sjå i spam-/søppelmappa di viss du ikkje ser e-posten innan rimeleg tid.
    Spør din lokale administrator viss han ikkje er der heller.", "Request failed!
    Did you make sure your email/username was right?" => "Førespurnaden feila!
    Er du viss på at du skreiv inn rett e-post/brukarnamn?", diff --git a/core/l10n/oc.php b/core/l10n/oc.php index 3458fa71558..bb70223361f 100644 --- a/core/l10n/oc.php +++ b/core/l10n/oc.php @@ -23,10 +23,13 @@ $TRANSLATIONS = array( "December" => "Decembre", "Settings" => "Configuracion", "seconds ago" => "segonda a", -"1 minute ago" => "1 minuta a", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "uèi", "yesterday" => "ièr", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "mes passat", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "meses a", "last year" => "an passat", "years ago" => "ans a", @@ -59,7 +62,6 @@ $TRANSLATIONS = array( "Password protected" => "Parat per senhal", "Error unsetting expiration date" => "Error al metre de la data d'expiracion", "Error setting expiration date" => "Error setting expiration date", -"ownCloud password reset" => "senhal d'ownCloud tornat botar", "Use the following link to reset your password: {link}" => "Utiliza lo ligam seguent per tornar botar lo senhal : {link}", "You will receive a link to reset your password via Email." => "Reçaupràs un ligam per tornar botar ton senhal via corrièl.", "Username" => "Non d'usancièr", diff --git a/core/l10n/pl.php b/core/l10n/pl.php index 1794519c293..26de64bd0dc 100644 --- a/core/l10n/pl.php +++ b/core/l10n/pl.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "Grudzień", "Settings" => "Ustawienia", "seconds ago" => "sekund temu", -"1 minute ago" => "1 minutę temu", -"{minutes} minutes ago" => "{minutes} minut temu", -"1 hour ago" => "1 godzinę temu", -"{hours} hours ago" => "{hours} godzin temu", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "dziś", "yesterday" => "wczoraj", -"{days} days ago" => "{days} dni temu", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "w zeszłym miesiącu", -"{months} months ago" => "{months} miesięcy temu", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "miesięcy temu", "last year" => "w zeszłym roku", "years ago" => "lat temu", @@ -86,7 +84,6 @@ $TRANSLATIONS = array( "Email sent" => "E-mail wysłany", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Aktualizacja zakończyła się niepowodzeniem. Zgłoś ten problem spoleczności ownCloud.", "The update was successful. Redirecting you to ownCloud now." => "Aktualizacji zakończyła się powodzeniem. Przekierowuję do ownCloud.", -"ownCloud password reset" => "restart hasła ownCloud", "Use the following link to reset your password: {link}" => "Użyj tego odnośnika by zresetować hasło: {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 ." => "Link do zresetowania hasła została wysłana na adres email.
    Jeśli nie otrzymasz go w najbliższym czasie, sprawdź folder ze spamem.
    Jeśli go tam nie ma zwrócić się do administratora tego ownCloud-a.", "Request failed!
    Did you make sure your email/username was right?" => "Żądanie niepowiodło się!
    Czy Twój email/nazwa użytkownika są poprawne?", diff --git a/core/l10n/pt_BR.php b/core/l10n/pt_BR.php index 5014bca70e9..c131dd727df 100644 --- a/core/l10n/pt_BR.php +++ b/core/l10n/pt_BR.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "dezembro", "Settings" => "Ajustes", "seconds ago" => "segundos atrás", -"1 minute ago" => "1 minuto atrás", -"{minutes} minutes ago" => "{minutes} minutos atrás", -"1 hour ago" => "1 hora atrás", -"{hours} hours ago" => "{hours} horas atrás", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "hoje", "yesterday" => "ontem", -"{days} days ago" => "{days} dias atrás", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "último mês", -"{months} months ago" => "{months} meses atrás", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "meses atrás", "last year" => "último ano", "years ago" => "anos atrás", @@ -86,7 +84,6 @@ $TRANSLATIONS = array( "Email sent" => "E-mail enviado", "The update was unsuccessful. Please report this issue to the ownCloud community." => "A atualização falhou. Por favor, relate este problema para a comunidade ownCloud.", "The update was successful. Redirecting you to ownCloud now." => "A atualização teve êxito. Você será redirecionado ao ownCloud agora.", -"ownCloud password reset" => "Redefinir senha ownCloud", "Use the following link to reset your password: {link}" => "Use o seguinte link para redefinir sua senha: {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 ." => "O link para redefinir sua senha foi enviada para o seu e-mail.
    Se você não recebê-lo dentro de um período razoável de tempo, verifique o spam/lixo.
    Se ele não estiver lá perguntar ao seu administrador local.", "Request failed!
    Did you make sure your email/username was right?" => "O pedido falhou!
    Certifique-se que seu e-mail/username estavam corretos?", diff --git a/core/l10n/pt_PT.php b/core/l10n/pt_PT.php index 47073885ed9..9a3d3282a11 100644 --- a/core/l10n/pt_PT.php +++ b/core/l10n/pt_PT.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "Dezembro", "Settings" => "Configurações", "seconds ago" => "Minutos atrás", -"1 minute ago" => "Há 1 minuto", -"{minutes} minutes ago" => "{minutes} minutos atrás", -"1 hour ago" => "Há 1 horas", -"{hours} hours ago" => "Há {hours} horas atrás", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "hoje", "yesterday" => "ontem", -"{days} days ago" => "{days} dias atrás", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "ultímo mês", -"{months} months ago" => "Há {months} meses atrás", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "meses atrás", "last year" => "ano passado", "years ago" => "anos atrás", @@ -86,7 +84,6 @@ $TRANSLATIONS = array( "Email sent" => "E-mail enviado", "The update was unsuccessful. Please report this issue to the ownCloud community." => "A actualização falhou. Por favor reporte este incidente seguindo este link ownCloud community.", "The update was successful. Redirecting you to ownCloud now." => "A actualização foi concluída com sucesso. Vai ser redireccionado para o ownCloud agora.", -"ownCloud password reset" => "Reposição da password ownCloud", "Use the following link to reset your password: {link}" => "Use o seguinte endereço para repor a sua password: {link}", "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 ." => "O link para fazer reset à sua password foi enviado para o seu e-mail.
    Se não o recebeu dentro um espaço de tempo aceitável, por favor verifique a sua pasta de SPAM.
    Se não o encontrar, por favor contacte o seu administrador.", "Request failed!
    Did you make sure your email/username was right?" => "O pedido falhou!
    Tem a certeza que introduziu o seu email/username correcto?", diff --git a/core/l10n/ro.php b/core/l10n/ro.php index 049226cee44..190cbc2d6d8 100644 --- a/core/l10n/ro.php +++ b/core/l10n/ro.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "Decembrie", "Settings" => "Setări", "seconds ago" => "secunde în urmă", -"1 minute ago" => "1 minut în urmă", -"{minutes} minutes ago" => "{minutes} minute in urmă", -"1 hour ago" => "Acum o oră", -"{hours} hours ago" => "{hours} ore în urmă", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "astăzi", "yesterday" => "ieri", -"{days} days ago" => "{days} zile in urmă", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "ultima lună", -"{months} months ago" => "{months} luni în urmă", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "luni în urmă", "last year" => "ultimul an", "years ago" => "ani în urmă", @@ -86,7 +84,6 @@ $TRANSLATIONS = array( "Email sent" => "Mesajul a fost expediat", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Actualizarea a eșuat! Raportați problema către comunitatea ownCloud.", "The update was successful. Redirecting you to ownCloud now." => "Actualizare reușită. Ești redirecționat către ownCloud.", -"ownCloud password reset" => "Resetarea parolei ownCloud ", "Use the following link to reset your password: {link}" => "Folosește următorul link pentru a reseta parola: {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 ." => "Linkul pentru resetarea parolei tale a fost trimis pe email.
    Daca nu ai primit email-ul intr-un timp rezonabil, verifica folderul spam/junk.
    Daca nu sunt acolo intreaba administratorul local.", "Request failed!
    Did you make sure your email/username was right?" => "Cerere esuata!
    Esti sigur ca email-ul/numele de utilizator sunt corecte?", diff --git a/core/l10n/ru.php b/core/l10n/ru.php index a87c2267336..aaa06e5352e 100644 --- a/core/l10n/ru.php +++ b/core/l10n/ru.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "Декабрь", "Settings" => "Конфигурация", "seconds ago" => "несколько секунд назад", -"1 minute ago" => "1 минуту назад", -"{minutes} minutes ago" => "{minutes} минут назад", -"1 hour ago" => "час назад", -"{hours} hours ago" => "{hours} часов назад", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "сегодня", "yesterday" => "вчера", -"{days} days ago" => "{days} дней назад", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "в прошлом месяце", -"{months} months ago" => "{months} месяцев назад", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "несколько месяцев назад", "last year" => "в прошлом году", "years ago" => "несколько лет назад", @@ -86,7 +84,6 @@ $TRANSLATIONS = array( "Email sent" => "Письмо отправлено", "The update was unsuccessful. Please report this issue to the ownCloud community." => "При обновлении произошла ошибка. Пожалуйста сообщите об этом в ownCloud сообщество.", "The update was successful. Redirecting you to ownCloud now." => "Обновление прошло успешно. Перенаправляемся в Ваш ownCloud...", -"ownCloud password reset" => "Сброс пароля ", "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 ." => "Ссылка для сброса пароля отправлена вам ​​по электронной почте.
    Если вы не получите письмо в пределах одной-двух минут, проверьте папку Спам.
    Если письма там нет, обратитесь к своему администратору.", "Request failed!
    Did you make sure your email/username was right?" => "Запрос не удался. Вы уверены, что email или имя пользователя указаны верно?", diff --git a/core/l10n/si_LK.php b/core/l10n/si_LK.php index 445d77fa732..03caef7841f 100644 --- a/core/l10n/si_LK.php +++ b/core/l10n/si_LK.php @@ -22,10 +22,13 @@ $TRANSLATIONS = array( "December" => "දෙසැම්බර්", "Settings" => "සිටුවම්", "seconds ago" => "තත්පරයන්ට පෙර", -"1 minute ago" => "1 මිනිත්තුවකට පෙර", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "අද", "yesterday" => "ඊයේ", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "පෙර මාසයේ", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "මාස කීපයකට පෙර", "last year" => "පෙර අවුරුද්දේ", "years ago" => "අවුරුදු කීපයකට පෙර", @@ -53,7 +56,6 @@ $TRANSLATIONS = array( "Password protected" => "මුර පදයකින් ආරක්ශාකර ඇත", "Error unsetting expiration date" => "කල් ඉකුත් දිනය ඉවත් කිරීමේ දෝෂයක්", "Error setting expiration date" => "කල් ඉකුත් දිනය ස්ථාපනය කිරීමේ දෝෂයක්", -"ownCloud password reset" => "ownCloud මුරපදය ප්‍රත්‍යාරම්භ කරන්න", "You will receive a link to reset your password via Email." => "ඔබගේ මුරපදය ප්‍රත්‍යාරම්භ කිරීම සඳහා යොමුව විද්‍යුත් තැපෑලෙන් ලැබෙනු ඇත", "Username" => "පරිශීලක නම", "Your password was reset" => "ඔබේ මුරපදය ප්‍රත්‍යාරම්භ කරන ලදී", diff --git a/core/l10n/sk.php b/core/l10n/sk.php new file mode 100644 index 00000000000..9c35f7f4664 --- /dev/null +++ b/core/l10n/sk.php @@ -0,0 +1,8 @@ + array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day ago_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,) +); +$PLURAL_FORMS = "nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;"; diff --git a/core/l10n/sk_SK.php b/core/l10n/sk_SK.php index 2f8fd253c34..522e31ba2ea 100644 --- a/core/l10n/sk_SK.php +++ b/core/l10n/sk_SK.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "December", "Settings" => "Nastavenia", "seconds ago" => "pred sekundami", -"1 minute ago" => "pred minútou", -"{minutes} minutes ago" => "pred {minutes} minútami", -"1 hour ago" => "Pred 1 hodinou", -"{hours} hours ago" => "Pred {hours} hodinami.", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "dnes", "yesterday" => "včera", -"{days} days ago" => "pred {days} dňami", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "minulý mesiac", -"{months} months ago" => "Pred {months} mesiacmi.", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "pred mesiacmi", "last year" => "minulý rok", "years ago" => "pred rokmi", @@ -86,7 +84,6 @@ $TRANSLATIONS = array( "Email sent" => "Email odoslaný", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Aktualizácia nebola úspešná. Problém nahláste na ownCloud community.", "The update was successful. Redirecting you to ownCloud now." => "Aktualizácia bola úspešná. Presmerovávam na prihlasovaciu stránku.", -"ownCloud password reset" => "Obnovenie hesla pre ownCloud", "Use the following link to reset your password: {link}" => "Použite nasledujúci odkaz pre obnovenie vášho hesla: {link}", "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 ." => "Odkaz na obnovenie hesla bol odoslaný na Vašu emailovú adresu.
    Ak ho v krátkej dobe neobdržíte, skontrolujte si Váš kôš a priečinok spam.
    Ak ho ani tam nenájdete, kontaktujte svojho administrátora.", "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?", diff --git a/core/l10n/sl.php b/core/l10n/sl.php index fc2b4181a75..0c0e828f0b4 100644 --- a/core/l10n/sl.php +++ b/core/l10n/sl.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "december", "Settings" => "Nastavitve", "seconds ago" => "pred nekaj sekundami", -"1 minute ago" => "pred minuto", -"{minutes} minutes ago" => "pred {minutes} minutami", -"1 hour ago" => "Pred 1 uro", -"{hours} hours ago" => "pred {hours} urami", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "danes", "yesterday" => "včeraj", -"{days} days ago" => "pred {days} dnevi", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "zadnji mesec", -"{months} months ago" => "pred {months} meseci", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "mesecev nazaj", "last year" => "lansko leto", "years ago" => "let nazaj", @@ -86,7 +84,6 @@ $TRANSLATIONS = array( "Email sent" => "Elektronska pošta je poslana", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Posodobitev ni uspela. Pošljite poročilo o napaki na sistemu ownCloud.", "The update was successful. Redirecting you to ownCloud now." => "Posodobitev je uspešno končana. Stran bo preusmerjena na oblak ownCloud.", -"ownCloud password reset" => "Ponastavitev gesla za oblak ownCloud", "Use the following link to reset your password: {link}" => "Za ponastavitev gesla uporabite povezavo: {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 ." => "Povezava za ponastavitev gesla je bila poslana na elektronski naslov.
    V kolikor sporočila ne prejmete v doglednem času, preverite tudi mape vsiljene pošte.
    Če ne bo niti tam, stopite v stik s skrbnikom.", "Request failed!
    Did you make sure your email/username was right?" => "Zahteva je spodletela!
    Ali sta elektronski naslov oziroma uporabniško ime navedena pravilno?", diff --git a/core/l10n/sq.php b/core/l10n/sq.php index ad3ad482e6b..2b073bc88b8 100644 --- a/core/l10n/sq.php +++ b/core/l10n/sq.php @@ -29,15 +29,13 @@ $TRANSLATIONS = array( "December" => "Dhjetor", "Settings" => "Parametra", "seconds ago" => "sekonda më parë", -"1 minute ago" => "1 minutë më parë", -"{minutes} minutes ago" => "{minutes} minuta më parë", -"1 hour ago" => "1 orë më parë", -"{hours} hours ago" => "{hours} orë më parë", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "sot", "yesterday" => "dje", -"{days} days ago" => "{days} ditë më parë", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "muajin e shkuar", -"{months} months ago" => "{months} muaj më parë", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "muaj më parë", "last year" => "vitin e shkuar", "years ago" => "vite më parë", @@ -85,7 +83,6 @@ $TRANSLATIONS = array( "Email sent" => "Email-i u dërgua", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Azhurnimi dështoi. Ju lutemi njoftoni për këtë problem komunitetin ownCloud.", "The update was successful. Redirecting you to ownCloud now." => "Azhurnimi u krye. Tani do t'ju kaloj tek ownCloud-i.", -"ownCloud password reset" => "Rivendosja e kodit të ownCloud-it", "Use the following link to reset your password: {link}" => "Përdorni lidhjen në vijim për të rivendosur kodin: {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 ." => "Lidhja për rivendosjen e kodit tuaj u dërgua tek email-i juaj.
    Nëqoftëse nuk e merrni brenda një kohe të arsyeshme, kontrolloni dosjet e postës së padëshirueshme (spam).
    Nëqoftëse nuk është as aty, pyesni administratorin tuaj lokal.", "Request failed!
    Did you make sure your email/username was right?" => "Kërkesa dështoi!
    A u siguruat që email-i/përdoruesi juaj ishte i saktë?", diff --git a/core/l10n/sr.php b/core/l10n/sr.php index 0ea05f41a72..77c8b9225da 100644 --- a/core/l10n/sr.php +++ b/core/l10n/sr.php @@ -28,15 +28,13 @@ $TRANSLATIONS = array( "December" => "Децембар", "Settings" => "Поставке", "seconds ago" => "пре неколико секунди", -"1 minute ago" => "пре 1 минут", -"{minutes} minutes ago" => "пре {minutes} минута", -"1 hour ago" => "Пре једног сата", -"{hours} hours ago" => "Пре {hours} сата (сати)", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "данас", "yesterday" => "јуче", -"{days} days ago" => "пре {days} дана", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "прошлог месеца", -"{months} months ago" => "Пре {months} месеца (месеци)", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "месеци раније", "last year" => "прошле године", "years ago" => "година раније", @@ -78,7 +76,6 @@ $TRANSLATIONS = array( "Error setting expiration date" => "Грешка код постављања датума истека", "Sending ..." => "Шаљем...", "Email sent" => "Порука је послата", -"ownCloud password reset" => "Поништавање лозинке за ownCloud", "Use the following link to reset your password: {link}" => "Овом везом ресетујте своју лозинку: {link}", "You will receive a link to reset your password via Email." => "Добићете везу за ресетовање лозинке путем е-поште.", "Username" => "Корисничко име", diff --git a/core/l10n/sr@latin.php b/core/l10n/sr@latin.php index b8bae55f227..f1bbd2ea7ed 100644 --- a/core/l10n/sr@latin.php +++ b/core/l10n/sr@latin.php @@ -20,6 +20,10 @@ $TRANSLATIONS = array( "November" => "Novembar", "December" => "Decembar", "Settings" => "Podešavanja", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day ago_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,), "Cancel" => "Otkaži", "Password" => "Lozinka", "You will receive a link to reset your password via Email." => "Dobićete vezu za resetovanje lozinke putem e-pošte.", diff --git a/core/l10n/sv.php b/core/l10n/sv.php index a7157a0bbd6..03d8dbbb3f4 100644 --- a/core/l10n/sv.php +++ b/core/l10n/sv.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "December", "Settings" => "Inställningar", "seconds ago" => "sekunder sedan", -"1 minute ago" => "1 minut sedan", -"{minutes} minutes ago" => "{minutes} minuter sedan", -"1 hour ago" => "1 timme sedan", -"{hours} hours ago" => "{hours} timmar sedan", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "i dag", "yesterday" => "i går", -"{days} days ago" => "{days} dagar sedan", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "förra månaden", -"{months} months ago" => "{months} månader sedan", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "månader sedan", "last year" => "förra året", "years ago" => "år sedan", @@ -86,7 +84,6 @@ $TRANSLATIONS = array( "Email sent" => "E-post skickat", "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}", "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 ." => "Länken för att återställa ditt lösenorden har skickats till din e-postadress
    Om du inte har erhållit meddelandet inom kort, vänligen kontrollera din skräppost-mapp
    Om den inte finns där, vänligen kontakta din administratör.", "Request failed!
    Did you make sure your email/username was right?" => "Begäran misslyckades!
    Är du helt säker på att din e-postadress/användarnamn är korrekt?", diff --git a/core/l10n/sw_KE.php b/core/l10n/sw_KE.php new file mode 100644 index 00000000000..883f2beb4ee --- /dev/null +++ b/core/l10n/sw_KE.php @@ -0,0 +1,8 @@ + array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day ago_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,) +); +$PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/ta_LK.php b/core/l10n/ta_LK.php index a7b71176f3b..d715dde88c9 100644 --- a/core/l10n/ta_LK.php +++ b/core/l10n/ta_LK.php @@ -28,15 +28,13 @@ $TRANSLATIONS = array( "December" => "மார்கழி", "Settings" => "அமைப்புகள்", "seconds ago" => "செக்கன்களுக்கு முன்", -"1 minute ago" => "1 நிமிடத்திற்கு முன் ", -"{minutes} minutes ago" => "{நிமிடங்கள்} நிமிடங்களுக்கு முன் ", -"1 hour ago" => "1 மணித்தியாலத்திற்கு முன்", -"{hours} hours ago" => "{மணித்தியாலங்கள்} மணித்தியாலங்களிற்கு முன்", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "இன்று", "yesterday" => "நேற்று", -"{days} days ago" => "{நாட்கள்} நாட்களுக்கு முன்", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "கடந்த மாதம்", -"{months} months ago" => "{மாதங்கள்} மாதங்களிற்கு முன்", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "மாதங்களுக்கு முன்", "last year" => "கடந்த வருடம்", "years ago" => "வருடங்களுக்கு முன்", @@ -75,7 +73,6 @@ $TRANSLATIONS = array( "Password protected" => "கடவுச்சொல் பாதுகாக்கப்பட்டது", "Error unsetting expiration date" => "காலாவதியாகும் திகதியை குறிப்பிடாமைக்கான வழு", "Error setting expiration date" => "காலாவதியாகும் திகதியை குறிப்பிடுவதில் வழு", -"ownCloud password reset" => "ownCloud இன் கடவுச்சொல் மீளமைப்பு", "Use the following link to reset your password: {link}" => "உங்கள் கடவுச்சொல்லை மீளமைக்க பின்வரும் இணைப்பை பயன்படுத்தவும் : {இணைப்பு}", "You will receive a link to reset your password via Email." => "நீங்கள் மின்னஞ்சல் மூலம் உங்களுடைய கடவுச்சொல்லை மீளமைப்பதற்கான இணைப்பை பெறுவீர்கள். ", "Username" => "பயனாளர் பெயர்", diff --git a/core/l10n/te.php b/core/l10n/te.php index a0fe28c5553..16a65eea776 100644 --- a/core/l10n/te.php +++ b/core/l10n/te.php @@ -22,15 +22,13 @@ $TRANSLATIONS = array( "December" => "డిసెంబర్", "Settings" => "అమరికలు", "seconds ago" => "క్షణాల క్రితం", -"1 minute ago" => "1 నిమిషం క్రితం", -"{minutes} minutes ago" => "{minutes} నిమిషాల క్రితం", -"1 hour ago" => "1 గంట క్రితం", -"{hours} hours ago" => "{hours} గంటల క్రితం", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "ఈరోజు", "yesterday" => "నిన్న", -"{days} days ago" => "{days} రోజుల క్రితం", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "పోయిన నెల", -"{months} months ago" => "{months} నెలల క్రితం", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "నెలల క్రితం", "last year" => "పోయిన సంవత్సరం", "years ago" => "సంవత్సరాల క్రితం", diff --git a/core/l10n/th_TH.php b/core/l10n/th_TH.php index 379c479ffd6..7dda8cf6d30 100644 --- a/core/l10n/th_TH.php +++ b/core/l10n/th_TH.php @@ -28,15 +28,13 @@ $TRANSLATIONS = array( "December" => "ธันวาคม", "Settings" => "ตั้งค่า", "seconds ago" => "วินาที ก่อนหน้านี้", -"1 minute ago" => "1 นาทีก่อนหน้านี้", -"{minutes} minutes ago" => "{minutes} นาทีก่อนหน้านี้", -"1 hour ago" => "1 ชั่วโมงก่อนหน้านี้", -"{hours} hours ago" => "{hours} ชั่วโมงก่อนหน้านี้", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "วันนี้", "yesterday" => "เมื่อวานนี้", -"{days} days ago" => "{day} วันก่อนหน้านี้", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "เดือนที่แล้ว", -"{months} months ago" => "{months} เดือนก่อนหน้านี้", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "เดือน ที่ผ่านมา", "last year" => "ปีที่แล้ว", "years ago" => "ปี ที่ผ่านมา", @@ -82,7 +80,6 @@ $TRANSLATIONS = array( "Email sent" => "ส่งอีเมล์แล้ว", "The update was unsuccessful. Please report this issue to the ownCloud community." => "การอัพเดทไม่เป็นผลสำเร็จ กรุณาแจ้งปัญหาที่เกิดขึ้นไปยัง คอมมูนิตี้ผู้ใช้งาน ownCloud", "The update was successful. Redirecting you to ownCloud now." => "การอัพเดทเสร็จเรียบร้อยแล้ว กำลังเปลี่ยนเส้นทางไปที่ ownCloud อยู่ในขณะนี้", -"ownCloud password reset" => "รีเซ็ตรหัสผ่าน ownCloud", "Use the following link to reset your password: {link}" => "ใช้ลิงค์ต่อไปนี้เพื่อเปลี่ยนรหัสผ่านของคุณใหม่: {link}", "You will receive a link to reset your password via Email." => "คุณจะได้รับลิงค์เพื่อกำหนดรหัสผ่านใหม่ทางอีเมล์", "Username" => "ชื่อผู้ใช้งาน", diff --git a/core/l10n/tr.php b/core/l10n/tr.php index eb9a0a60f03..72923245e96 100644 --- a/core/l10n/tr.php +++ b/core/l10n/tr.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "Aralık", "Settings" => "Ayarlar", "seconds ago" => "saniye önce", -"1 minute ago" => "1 dakika önce", -"{minutes} minutes ago" => "{minutes} dakika önce", -"1 hour ago" => "1 saat önce", -"{hours} hours ago" => "{hours} saat önce", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "bugün", "yesterday" => "dün", -"{days} days ago" => "{days} gün önce", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "geçen ay", -"{months} months ago" => "{months} ay önce", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "ay önce", "last year" => "geçen yıl", "years ago" => "yıl önce", @@ -86,7 +84,6 @@ $TRANSLATIONS = array( "Email sent" => "Eposta gönderildi", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Güncelleme başarılı olmadı. Lütfen bu hatayı bildirin ownCloud community.", "The update was successful. Redirecting you to ownCloud now." => "Güncelleme başarılı. ownCloud'a yönlendiriliyor.", -"ownCloud password reset" => "ownCloud parola sıfırlama", "Use the following link to reset your password: {link}" => "Bu bağlantıyı kullanarak parolanızı sıfırlayı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 ." => "Parolanızı değiştirme bağlantısı e-posta adresinize gönderildi.
    I Eğer makül bir süre içerisinde mesajı almadıysanız spam/junk dizinini kontrol ediniz.
    Eğer orada da bulamazsanız sistem yöneticinize sorunuz.", "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?", diff --git a/core/l10n/ug.php b/core/l10n/ug.php index 12d752b8288..3c033ca6d6f 100644 --- a/core/l10n/ug.php +++ b/core/l10n/ug.php @@ -20,10 +20,12 @@ $TRANSLATIONS = array( "November" => "ئوغلاق", "December" => "كۆنەك", "Settings" => "تەڭشەكلەر", -"1 minute ago" => "1 مىنۇت ئىلگىرى", -"1 hour ago" => "1 سائەت ئىلگىرى", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "بۈگۈن", "yesterday" => "تۈنۈگۈن", +"_%n day ago_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,), "Cancel" => "ۋاز كەچ", "Yes" => "ھەئە", "No" => "ياق", diff --git a/core/l10n/uk.php b/core/l10n/uk.php index 54fb11d7bf3..8d921957367 100644 --- a/core/l10n/uk.php +++ b/core/l10n/uk.php @@ -29,15 +29,13 @@ $TRANSLATIONS = array( "December" => "Грудень", "Settings" => "Налаштування", "seconds ago" => "секунди тому", -"1 minute ago" => "1 хвилину тому", -"{minutes} minutes ago" => "{minutes} хвилин тому", -"1 hour ago" => "1 годину тому", -"{hours} hours ago" => "{hours} години тому", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "сьогодні", "yesterday" => "вчора", -"{days} days ago" => "{days} днів тому", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "минулого місяця", -"{months} months ago" => "{months} місяців тому", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "місяці тому", "last year" => "минулого року", "years ago" => "роки тому", @@ -83,7 +81,6 @@ $TRANSLATIONS = array( "Email sent" => "Ел. пошта надіслана", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Оновлення виконалось неуспішно. Будь ласка, повідомте про цю проблему в спільноті ownCloud.", "The update was successful. Redirecting you to ownCloud now." => "Оновлення виконалось успішно. Перенаправляємо вас на ownCloud.", -"ownCloud password reset" => "скидання пароля ownCloud", "Use the following link to reset your password: {link}" => "Використовуйте наступне посилання для скидання пароля: {link}", "You will receive a link to reset your password via Email." => "Ви отримаєте посилання для скидання вашого паролю на Ел. пошту.", "Username" => "Ім'я користувача", diff --git a/core/l10n/ur_PK.php b/core/l10n/ur_PK.php index 7474180ac6d..ba81e53cfee 100644 --- a/core/l10n/ur_PK.php +++ b/core/l10n/ur_PK.php @@ -15,6 +15,10 @@ $TRANSLATIONS = array( "November" => "نومبر", "December" => "دسمبر", "Settings" => "سیٹینگز", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day ago_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,), "Choose" => "منتخب کریں", "Cancel" => "منسوخ کریں", "Yes" => "ہاں", @@ -40,7 +44,6 @@ $TRANSLATIONS = array( "delete" => "ختم کریں", "share" => "شئیر کریں", "Password protected" => "پاسورڈ سے محفوظ کیا گیا ہے", -"ownCloud password reset" => "اون کلاؤڈ پاسورڈ ری سیٹ", "Use the following link to reset your password: {link}" => "اپنا پاسورڈ ری سیٹ کرنے کے لیے اس لنک پر کلک کریں۔ {link}", "You will receive a link to reset your password via Email." => "آپ ای میل کے ذریعے اپنے پاسورڈ ری سیٹ کا لنک موصول کریں گے", "Username" => "یوزر نیم", diff --git a/core/l10n/vi.php b/core/l10n/vi.php index 5ba902c3554..26ba0dbf8ed 100644 --- a/core/l10n/vi.php +++ b/core/l10n/vi.php @@ -29,15 +29,13 @@ $TRANSLATIONS = array( "December" => "Tháng 12", "Settings" => "Cài đặt", "seconds ago" => "vài giây trước", -"1 minute ago" => "1 phút trước", -"{minutes} minutes ago" => "{minutes} phút trước", -"1 hour ago" => "1 giờ trước", -"{hours} hours ago" => "{hours} giờ trước", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "hôm nay", "yesterday" => "hôm qua", -"{days} days ago" => "{days} ngày trước", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "tháng trước", -"{months} months ago" => "{months} tháng trước", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "tháng trước", "last year" => "năm trước", "years ago" => "năm trước", @@ -83,7 +81,6 @@ $TRANSLATIONS = array( "Email sent" => "Email đã được gửi", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Cập nhật không thành công . Vui lòng thông báo đến Cộng đồng ownCloud .", "The update was successful. Redirecting you to ownCloud now." => "Cập nhật thành công .Hệ thống sẽ đưa bạn tới ownCloud.", -"ownCloud password reset" => "Khôi phục mật khẩu Owncloud ", "Use the following link to reset your password: {link}" => "Dùng đường dẫn sau để khôi phục lại mật khẩu : {link}", "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 ." => "Liên kết tạo lại mật khẩu đã được gửi tới hộp thư của bạn.
    Nếu bạn không thấy nó sau một khoảng thời gian, vui lòng kiểm tra trong thư mục Spam/Rác.
    Nếu vẫn không thấy, vui lòng hỏi người quản trị hệ thống.", "Request failed!
    Did you make sure your email/username was right?" => "Yêu cầu thất bại!
    Bạn có chắc là email/tên đăng nhập của bạn chính xác?", diff --git a/core/l10n/zh_CN.GB2312.php b/core/l10n/zh_CN.GB2312.php index 6b389179b7e..6f7d0dd434b 100644 --- a/core/l10n/zh_CN.GB2312.php +++ b/core/l10n/zh_CN.GB2312.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "十二月", "Settings" => "设置", "seconds ago" => "秒前", -"1 minute ago" => "1 分钟前", -"{minutes} minutes ago" => "{minutes} 分钟前", -"1 hour ago" => "1小时前", -"{hours} hours ago" => "{hours}小时前", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "今天", "yesterday" => "昨天", -"{days} days ago" => "{days} 天前", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "上个月", -"{months} months ago" => "{months}月前", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "月前", "last year" => "去年", "years ago" => "年前", @@ -86,7 +84,6 @@ $TRANSLATIONS = array( "Email sent" => "电子邮件已发送", "The update was unsuccessful. Please report this issue to the ownCloud community." => "升级失败。请向ownCloud社区报告此问题。", "The update was successful. Redirecting you to ownCloud now." => "升级成功。现在为您跳转到ownCloud。", -"ownCloud password reset" => "私有云密码重置", "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 ." => "重置密码的连接已经通过邮件到您的邮箱。
    如果你没有收到邮件,可能是由于要再等一下,或者检查一下您的垃圾邮件夹。
    如果还是没有收到,请联系您的系统管理员。", "Request failed!
    Did you make sure your email/username was right?" => "请求失败!
    你确定你的邮件地址/用户名是正确的?", diff --git a/core/l10n/zh_CN.php b/core/l10n/zh_CN.php index 3479baefdd0..be35c4fdbbe 100644 --- a/core/l10n/zh_CN.php +++ b/core/l10n/zh_CN.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "十二月", "Settings" => "设置", "seconds ago" => "秒前", -"1 minute ago" => "一分钟前", -"{minutes} minutes ago" => "{minutes} 分钟前", -"1 hour ago" => "1小时前", -"{hours} hours ago" => "{hours} 小时前", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "今天", "yesterday" => "昨天", -"{days} days ago" => "{days} 天前", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "上月", -"{months} months ago" => "{months} 月前", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "月前", "last year" => "去年", "years ago" => "年前", @@ -86,7 +84,6 @@ $TRANSLATIONS = array( "Email sent" => "邮件已发送", "The update was unsuccessful. Please report this issue to the ownCloud community." => "更新不成功。请汇报将此问题汇报给 ownCloud 社区。", "The update was successful. Redirecting you to ownCloud now." => "更新成功。正在重定向至 ownCloud。", -"ownCloud password reset" => "重置 ownCloud 密码", "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 ." => "重置密码的链接已发送到您的邮箱。
    如果您觉得在合理的时间内还未收到邮件,请查看 spam/junk 目录。
    如果没有在那里,请询问您的本地管理员。", "Request failed!
    Did you make sure your email/username was right?" => "请求失败
    您确定您的邮箱/用户名是正确的?", diff --git a/core/l10n/zh_HK.php b/core/l10n/zh_HK.php index c29d91bc53b..6df564739fb 100644 --- a/core/l10n/zh_HK.php +++ b/core/l10n/zh_HK.php @@ -20,9 +20,13 @@ $TRANSLATIONS = array( "November" => "十一月", "December" => "十二月", "Settings" => "設定", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "今日", "yesterday" => "昨日", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "前一月", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "個月之前", "Cancel" => "取消", "Yes" => "Yes", diff --git a/core/l10n/zh_TW.php b/core/l10n/zh_TW.php index a5b4e5a6c3e..60caebcd336 100644 --- a/core/l10n/zh_TW.php +++ b/core/l10n/zh_TW.php @@ -30,15 +30,13 @@ $TRANSLATIONS = array( "December" => "十二月", "Settings" => "設定", "seconds ago" => "幾秒前", -"1 minute ago" => "1 分鐘前", -"{minutes} minutes ago" => "{minutes} 分鐘前", -"1 hour ago" => "1 小時之前", -"{hours} hours ago" => "{hours} 小時前", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "今天", "yesterday" => "昨天", -"{days} days ago" => "{days} 天前", +"_%n day ago_::_%n days ago_" => array(,), "last month" => "上個月", -"{months} months ago" => "{months} 個月前", +"_%n month ago_::_%n months ago_" => array(,), "months ago" => "幾個月前", "last year" => "去年", "years ago" => "幾年前", @@ -86,7 +84,6 @@ $TRANSLATIONS = array( "Email sent" => "Email 已寄出", "The update was unsuccessful. Please report this issue to the ownCloud community." => "升級失敗,請將此問題回報 ownCloud 社群。", "The update was successful. Redirecting you to ownCloud now." => "升級成功,正將您重新導向至 ownCloud 。", -"ownCloud password reset" => "ownCloud 密碼重設", "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?" => "請求失敗!
    您確定填入的電子郵件地址或是帳號名稱是正確的嗎?", diff --git a/l10n/af_ZA/core.po b/l10n/af_ZA/core.po index d38d730a082..2aa42f705fb 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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:354 +#: js/js.js:355 msgid "Settings" msgstr "Instellings" -#: js/js.js:814 -msgid "seconds ago" -msgstr "" - #: js/js.js:815 -msgid "1 minute ago" +msgid "seconds ago" msgstr "" #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" +msgid "today" msgstr "" #: js/js.js:819 -msgid "today" +msgid "yesterday" msgstr "" #: js/js.js:820 -msgid "yesterday" -msgstr "" +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:821 -msgid "{days} days ago" +msgid "last month" msgstr "" #: js/js.js:822 -msgid "last month" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:823 -msgid "{months} months ago" -msgstr "" - -#: js/js.js:824 msgid "months ago" msgstr "" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "" @@ -377,8 +377,9 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" msgstr "" #: lostpassword/templates/email.php:2 diff --git a/l10n/af_ZA/files.po b/l10n/af_ZA/files.po index adfb6e8f93d..2eb2aa7bcee 100644 --- a/l10n/af_ZA/files.po +++ b/l10n/af_ZA/files.po @@ -7,8 +7,8 @@ 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" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -120,7 +120,7 @@ msgstr "" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:93 templates/index.php:94 +#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 msgid "Delete" msgstr "" @@ -128,7 +128,7 @@ msgstr "" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "" @@ -160,11 +160,13 @@ msgstr "" msgid "perform delete operation" msgstr "" -#: js/filelist.js:457 -msgid "1 file uploading" -msgstr "" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:460 js/filelist.js:518 +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -200,33 +202,29 @@ msgstr "" msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:69 +#: js/files.js:744 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:745 templates/index.php:80 +#: js/files.js:745 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:746 templates/index.php:82 +#: js/files.js:746 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:763 -msgid "1 folder" -msgstr "" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" -#: js/files.js:765 -msgid "{count} folders" -msgstr "" - -#: js/files.js:773 -msgid "1 file" -msgstr "" - -#: js/files.js:775 -msgid "{count} files" -msgstr "" +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format @@ -285,45 +283,45 @@ msgstr "" msgid "From link" msgstr "" -#: templates/index.php:42 +#: templates/index.php:41 msgid "Deleted files" msgstr "" -#: templates/index.php:48 +#: templates/index.php:46 msgid "Cancel upload" msgstr "" -#: templates/index.php:54 +#: templates/index.php:52 msgid "You don’t have write permissions here." msgstr "" -#: templates/index.php:61 +#: templates/index.php:59 msgid "Nothing in here. Upload something!" msgstr "" -#: templates/index.php:75 +#: templates/index.php:73 msgid "Download" msgstr "" -#: templates/index.php:87 templates/index.php:88 +#: templates/index.php:85 templates/index.php:86 msgid "Unshare" msgstr "" -#: templates/index.php:107 +#: templates/index.php:105 msgid "Upload too large" msgstr "" -#: templates/index.php:109 +#: templates/index.php:107 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "" -#: templates/index.php:114 +#: templates/index.php:112 msgid "Files are being scanned, please wait." msgstr "" -#: templates/index.php:117 +#: templates/index.php:115 msgid "Current scanning" msgstr "" diff --git a/l10n/af_ZA/files_trashbin.po b/l10n/af_ZA/files_trashbin.po index 67021b0b63a..020abe02dd9 100644 --- a/l10n/af_ZA/files_trashbin.po +++ b/l10n/af_ZA/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-30 01:55-0400\n" -"PO-Revision-Date: 2013-07-30 05:56+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,17 @@ msgstr "" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" -#: js/trash.js:202 -msgid "1 file" -msgstr "" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "" +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/af_ZA/lib.po b/l10n/af_ZA/lib.po index 6e3cacf3df9..491052f17f0 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,46 @@ msgid "seconds ago" msgstr "" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" +msgid "today" msgstr "" #: template/functions.php:84 -#, php-format -msgid "%d hours ago" +msgid "yesterday" msgstr "" #: template/functions.php:85 -msgid "today" -msgstr "" +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:86 -msgid "yesterday" +msgid "last month" msgstr "" #: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" #: 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 +#: template/functions.php:89 msgid "years ago" msgstr "" diff --git a/l10n/ar/core.po b/l10n/ar/core.po index b13030b52b8..8a6009ccb39 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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,75 @@ msgstr "تشرين الثاني" msgid "December" msgstr "كانون الاول" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "إعدادات" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "منذ ثواني" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "منذ دقيقة" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes} منذ دقائق" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" +msgstr[5] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "قبل ساعة مضت" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" +msgstr[5] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{hours} ساعة مضت" - -#: js/js.js:819 msgid "today" msgstr "اليوم" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "يوم أمس" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{days} يوم سابق" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" +msgstr[5] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "الشهر الماضي" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{months} شهر مضت" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" +msgstr[5] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "شهر مضى" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "السنةالماضية" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "سنة مضت" @@ -377,9 +393,10 @@ msgstr "حصل خطأ في عملية التحديث, يرجى ارسال تقر msgid "The update was successful. Redirecting you to ownCloud now." msgstr "تم التحديث بنجاح , يتم اعادة توجيهك الان الى Owncloud" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" -msgstr "إعادة تعيين كلمة سر ownCloud" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" +msgstr "" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/ar/files.po b/l10n/ar/files.po index c3f06d75b7a..2f9759aeb71 100644 --- a/l10n/ar/files.po +++ b/l10n/ar/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -128,7 +128,7 @@ msgstr "إلغاء" msgid "Rename" msgstr "إعادة تسميه" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "قيد الانتظار" @@ -160,11 +160,17 @@ msgstr "تراجع" msgid "perform delete operation" msgstr "جاري تنفيذ عملية الحذف" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "جاري رفع 1 ملف" - -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" +msgstr[5] "" + +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -212,21 +218,25 @@ msgstr "حجم" msgid "Modified" msgstr "معدل" -#: js/files.js:763 -msgid "1 folder" -msgstr "مجلد عدد 1" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} مجلدات" - -#: js/files.js:773 -msgid "1 file" -msgstr "ملف واحد" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} ملفات" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" +msgstr[5] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" +msgstr[5] "" #: lib/app.php:73 #, php-format diff --git a/l10n/ar/files_trashbin.po b/l10n/ar/files_trashbin.po index c520cd38226..f07045eb588 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,25 @@ msgstr "اسم" msgid "Deleted" msgstr "تم الحذف" -#: js/trash.js:192 -msgid "1 folder" -msgstr "مجلد عدد 1" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} مجلدات" - -#: js/trash.js:202 -msgid "1 file" -msgstr "ملف واحد" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} ملفات" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" +msgstr[5] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" +msgstr[5] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/ar/lib.po b/l10n/ar/lib.po index 6fe38212e1b..040d66a42c4 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,62 @@ msgid "seconds ago" msgstr "منذ ثواني" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "منذ دقيقة" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" +msgstr[5] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d دقيقة مضت" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" +msgstr[5] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "قبل ساعة مضت" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "%d ساعة مضت" - -#: template/functions.php:85 msgid "today" msgstr "اليوم" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "يوم أمس" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d يوم مضى" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" +msgstr[5] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "الشهر الماضي" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "%d شهر مضت" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" +msgstr[5] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "السنةالماضية" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "سنة مضت" diff --git a/l10n/be/core.po b/l10n/be/core.po index 2e14badcc29..fb9c15d2ccc 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -137,59 +137,67 @@ msgstr "" msgid "December" msgstr "" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "" -#: js/js.js:814 -msgid "seconds ago" -msgstr "" - #: js/js.js:815 -msgid "1 minute ago" +msgid "seconds ago" msgstr "" #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" #: js/js.js:818 -msgid "{hours} hours ago" +msgid "today" msgstr "" #: js/js.js:819 -msgid "today" +msgid "yesterday" msgstr "" #: js/js.js:820 -msgid "yesterday" -msgstr "" +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" #: js/js.js:821 -msgid "{days} days ago" +msgid "last month" msgstr "" #: js/js.js:822 -msgid "last month" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" #: js/js.js:823 -msgid "{months} months ago" -msgstr "" - -#: js/js.js:824 msgid "months ago" msgstr "" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "" @@ -377,8 +385,9 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" msgstr "" #: lostpassword/templates/email.php:2 diff --git a/l10n/be/files.po b/l10n/be/files.po index 3589633cd92..66c2d81dabc 100644 --- a/l10n/be/files.po +++ b/l10n/be/files.po @@ -7,8 +7,8 @@ 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" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -120,7 +120,7 @@ msgstr "" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:93 templates/index.php:94 +#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 msgid "Delete" msgstr "" @@ -128,7 +128,7 @@ msgstr "" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "" @@ -160,11 +160,15 @@ msgstr "" msgid "perform delete operation" msgstr "" -#: js/filelist.js:457 -msgid "1 file uploading" -msgstr "" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" -#: js/filelist.js:460 js/filelist.js:518 +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -200,33 +204,33 @@ msgstr "" msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:69 +#: js/files.js:744 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:745 templates/index.php:80 +#: js/files.js:745 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:746 templates/index.php:82 +#: js/files.js:746 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:763 -msgid "1 folder" -msgstr "" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" -#: js/files.js:765 -msgid "{count} folders" -msgstr "" - -#: js/files.js:773 -msgid "1 file" -msgstr "" - -#: js/files.js:775 -msgid "{count} files" -msgstr "" +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" #: lib/app.php:73 #, php-format @@ -285,45 +289,45 @@ msgstr "" msgid "From link" msgstr "" -#: templates/index.php:42 +#: templates/index.php:41 msgid "Deleted files" msgstr "" -#: templates/index.php:48 +#: templates/index.php:46 msgid "Cancel upload" msgstr "" -#: templates/index.php:54 +#: templates/index.php:52 msgid "You don’t have write permissions here." msgstr "" -#: templates/index.php:61 +#: templates/index.php:59 msgid "Nothing in here. Upload something!" msgstr "" -#: templates/index.php:75 +#: templates/index.php:73 msgid "Download" msgstr "" -#: templates/index.php:87 templates/index.php:88 +#: templates/index.php:85 templates/index.php:86 msgid "Unshare" msgstr "" -#: templates/index.php:107 +#: templates/index.php:105 msgid "Upload too large" msgstr "" -#: templates/index.php:109 +#: templates/index.php:107 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "" -#: templates/index.php:114 +#: templates/index.php:112 msgid "Files are being scanned, please wait." msgstr "" -#: templates/index.php:117 +#: templates/index.php:115 msgid "Current scanning" msgstr "" diff --git a/l10n/be/files_trashbin.po b/l10n/be/files_trashbin.po index ae698ecde9e..770cceb542c 100644 --- a/l10n/be/files_trashbin.po +++ b/l10n/be/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-30 01:55-0400\n" -"PO-Revision-Date: 2013-07-30 05:56+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,21 @@ msgstr "" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "" - -#: js/trash.js:202 -msgid "1 file" -msgstr "" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/be/lib.po b/l10n/be/lib.po index d6a34784f4c..c95cd9291f6 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,54 @@ msgid "seconds ago" msgstr "" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" #: template/functions.php:83 -msgid "1 hour ago" +msgid "today" msgstr "" #: template/functions.php:84 -#, php-format -msgid "%d hours ago" +msgid "yesterday" msgstr "" #: template/functions.php:85 -msgid "today" -msgstr "" +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" #: template/functions.php:86 -msgid "yesterday" +msgid "last month" msgstr "" #: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" #: 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 +#: template/functions.php:89 msgid "years ago" msgstr "" diff --git a/l10n/bg_BG/core.po b/l10n/bg_BG/core.po index 7bd4f710b0e..cf34714ed71 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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:354 +#: js/js.js:355 msgid "Settings" msgstr "Настройки" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "преди секунди" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "преди 1 минута" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "преди 1 час" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "" - -#: js/js.js:819 msgid "today" msgstr "днес" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "вчера" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "последният месец" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "последната година" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "последните години" @@ -377,8 +377,9 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" msgstr "" #: lostpassword/templates/email.php:2 diff --git a/l10n/bg_BG/files.po b/l10n/bg_BG/files.po index 6177f5fbdaf..3dc6cd15d87 100644 --- a/l10n/bg_BG/files.po +++ b/l10n/bg_BG/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -128,7 +128,7 @@ msgstr "Изтриване" msgid "Rename" msgstr "Преименуване" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Чакащо" @@ -160,11 +160,13 @@ msgstr "възтановяване" msgid "perform delete operation" msgstr "" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -212,21 +214,17 @@ msgstr "Размер" msgid "Modified" msgstr "Променено" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 папка" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} папки" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 файл" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} файла" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/bg_BG/files_trashbin.po b/l10n/bg_BG/files_trashbin.po index d232b3b0294..1b16c5b4097 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -52,21 +52,17 @@ msgstr "Име" msgid "Deleted" msgstr "Изтрито" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 папка" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} папки" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 файл" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} файла" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/bg_BG/lib.po b/l10n/bg_BG/lib.po index 4262850f24b..1aa83779f3d 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -207,50 +207,46 @@ msgid "seconds ago" msgstr "преди секунди" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "преди 1 минута" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "преди %d минути" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "преди 1 час" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "преди %d часа" - -#: template/functions.php:85 msgid "today" msgstr "днес" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "вчера" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "преди %d дни" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "последният месец" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "преди %d месеца" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "последната година" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "последните години" diff --git a/l10n/bn_BD/core.po b/l10n/bn_BD/core.po index 35ee439b4d2..ab302185623 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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:354 +#: js/js.js:355 msgid "Settings" msgstr "নিয়ামকসমূহ" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "সেকেন্ড পূর্বে" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "১ মিনিট পূর্বে" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes} মিনিট পূর্বে" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1 ঘন্টা পূর্বে" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{hours} ঘন্টা পূর্বে" - -#: js/js.js:819 msgid "today" msgstr "আজ" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "গতকাল" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{days} দিন পূর্বে" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "গত মাস" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{months} মাস পূর্বে" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "মাস পূর্বে" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "গত বছর" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "বছর পূর্বে" @@ -377,9 +377,10 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" -msgstr "ownCloud কূটশব্দ পূনঃনির্ধারণ" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" +msgstr "" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/bn_BD/files.po b/l10n/bn_BD/files.po index 863cde1d989..09289f17be2 100644 --- a/l10n/bn_BD/files.po +++ b/l10n/bn_BD/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -128,7 +128,7 @@ msgstr "মুছে" msgid "Rename" msgstr "পূনঃনামকরণ" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "মুলতুবি" @@ -160,11 +160,13 @@ msgstr "ক্রিয়া প্রত্যাহার" msgid "perform delete operation" msgstr "" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "১টি ফাইল আপলোড করা হচ্ছে" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -212,21 +214,17 @@ msgstr "আকার" msgid "Modified" msgstr "পরিবর্তিত" -#: js/files.js:763 -msgid "1 folder" -msgstr "১টি ফোল্ডার" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} টি ফোল্ডার" - -#: js/files.js:773 -msgid "1 file" -msgstr "১টি ফাইল" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} টি ফাইল" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/bn_BD/files_trashbin.po b/l10n/bn_BD/files_trashbin.po index f52d33c0a58..eba36ccfd6b 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,17 @@ msgstr "রাম" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "১টি ফোল্ডার" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} টি ফোল্ডার" - -#: js/trash.js:202 -msgid "1 file" -msgstr "১টি ফাইল" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} টি ফাইল" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/bn_BD/lib.po b/l10n/bn_BD/lib.po index 94dd00b4762..9f5df0a9649 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,46 @@ msgid "seconds ago" msgstr "সেকেন্ড পূর্বে" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "১ মিনিট পূর্বে" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d মিনিট পূর্বে" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "1 ঘন্টা পূর্বে" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "" - -#: template/functions.php:85 msgid "today" msgstr "আজ" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "গতকাল" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d দিন পূর্বে" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "গত মাস" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "গত বছর" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "বছর পূর্বে" diff --git a/l10n/bs/core.po b/l10n/bs/core.po index 7ff5f0d5e12..d544fc01ed1 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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,63 @@ msgstr "" msgid "December" msgstr "" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "" -#: js/js.js:814 -msgid "seconds ago" -msgstr "" - #: js/js.js:815 -msgid "1 minute ago" +msgid "seconds ago" msgstr "" #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:818 -msgid "{hours} hours ago" +msgid "today" msgstr "" #: js/js.js:819 -msgid "today" +msgid "yesterday" msgstr "" #: js/js.js:820 -msgid "yesterday" -msgstr "" +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:821 -msgid "{days} days ago" +msgid "last month" msgstr "" #: js/js.js:822 -msgid "last month" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:823 -msgid "{months} months ago" -msgstr "" - -#: js/js.js:824 msgid "months ago" msgstr "" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "" @@ -377,8 +381,9 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" msgstr "" #: lostpassword/templates/email.php:2 diff --git a/l10n/bs/files.po b/l10n/bs/files.po index 40526578de4..f628bc21898 100644 --- a/l10n/bs/files.po +++ b/l10n/bs/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-02 01:55-0400\n" -"PO-Revision-Date: 2013-08-02 05:40+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -128,7 +128,7 @@ msgstr "" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "" @@ -160,11 +160,14 @@ msgstr "" msgid "perform delete operation" msgstr "" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -212,21 +215,19 @@ msgstr "Veličina" msgid "Modified" msgstr "" -#: js/files.js:763 -msgid "1 folder" -msgstr "" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/files.js:773 -msgid "1 file" -msgstr "" - -#: js/files.js:775 -msgid "{count} files" -msgstr "" +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: lib/app.php:73 #, php-format diff --git a/l10n/bs/files_trashbin.po b/l10n/bs/files_trashbin.po index 9fb0dde49f9..319adc5d239 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-30 01:55-0400\n" -"PO-Revision-Date: 2013-07-30 05:56+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,19 @@ msgstr "Ime" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/trash.js:202 -msgid "1 file" -msgstr "" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "" +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/bs/lib.po b/l10n/bs/lib.po index c2f770fea8e..aaa796e1039 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,50 @@ msgid "seconds ago" msgstr "" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: template/functions.php:83 -msgid "1 hour ago" +msgid "today" msgstr "" #: template/functions.php:84 -#, php-format -msgid "%d hours ago" +msgid "yesterday" msgstr "" #: template/functions.php:85 -msgid "today" -msgstr "" +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: template/functions.php:86 -msgid "yesterday" +msgid "last month" msgstr "" #: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: 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 +#: template/functions.php:89 msgid "years ago" msgstr "" diff --git a/l10n/ca/core.po b/l10n/ca/core.po index 8e4a149618b..a9864b9876a 100644 --- a/l10n/ca/core.po +++ b/l10n/ca/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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -139,59 +139,59 @@ msgstr "Novembre" msgid "December" msgstr "Desembre" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Configuració" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "segons enrere" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "fa 1 minut" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "fa {minutes} minuts" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "fa 1 hora" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "fa {hours} hores" - -#: js/js.js:819 msgid "today" msgstr "avui" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "ahir" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "fa {days} dies" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "el mes passat" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "fa {months} mesos" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "mesos enrere" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "l'any passat" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "anys enrere" @@ -379,9 +379,10 @@ msgstr "L'actualització ha estat incorrecte. Comuniqueu aquest error a \n" "Language-Team: Catalan (http://www.transifex.com/projects/p/owncloud/language/ca/)\n" "MIME-Version: 1.0\n" @@ -130,7 +130,7 @@ msgstr "Esborra" msgid "Rename" msgstr "Reanomena" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Pendent" @@ -162,11 +162,13 @@ msgstr "desfés" msgid "perform delete operation" msgstr "executa d'operació d'esborrar" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 fitxer pujant" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "fitxers pujant" @@ -214,21 +216,17 @@ msgstr "Mida" msgid "Modified" msgstr "Modificat" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 carpeta" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} carpetes" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 fitxer" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} fitxers" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/ca/files_trashbin.po b/l10n/ca/files_trashbin.po index f20e566e4f2..69f190dc6ae 100644 --- a/l10n/ca/files_trashbin.po +++ b/l10n/ca/files_trashbin.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: rogerc\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -52,21 +52,17 @@ msgstr "Nom" msgid "Deleted" msgstr "Eliminat" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 carpeta" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} carpetes" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 fitxer" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} fitxers" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/ca/lib.po b/l10n/ca/lib.po index 5ab8cad9372..28c2be4f31c 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -207,50 +207,46 @@ msgid "seconds ago" msgstr "segons enrere" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "fa 1 minut" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "fa %d minuts" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "fa 1 hora" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "fa %d hores" - -#: template/functions.php:85 msgid "today" msgstr "avui" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "ahir" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "fa %d dies" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "el mes passat" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "fa %d mesos" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "l'any passat" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "anys enrere" diff --git a/l10n/cs_CZ/core.po b/l10n/cs_CZ/core.po index ef830001704..2ee7bf18d26 100644 --- a/l10n/cs_CZ/core.po +++ b/l10n/cs_CZ/core.po @@ -3,6 +3,7 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# janinko , 2013 # Honza K. , 2013 # Martin , 2013 # pstast , 2013 @@ -11,8 +12,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -141,59 +142,63 @@ msgstr "Listopad" msgid "December" msgstr "Prosinec" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Nastavení" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "před pár vteřinami" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "před minutou" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "před {minutes} minutami" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "před hodinou" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "před {hours} hodinami" - -#: js/js.js:819 msgid "today" msgstr "dnes" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "včera" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "před {days} dny" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "minulý měsíc" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "před {months} měsíci" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "před měsíci" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "minulý rok" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "před lety" @@ -381,9 +386,10 @@ msgstr "Aktualizace neproběhla úspěšně. Nahlaste prosím problém do \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -131,7 +131,7 @@ msgstr "Smazat" msgid "Rename" msgstr "Přejmenovat" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Nevyřízené" @@ -163,11 +163,14 @@ msgstr "vrátit zpět" msgid "perform delete operation" msgstr "provést smazání" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "odesílá se 1 soubor" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "soubory se odesílají" @@ -215,21 +218,19 @@ msgstr "Velikost" msgid "Modified" msgstr "Upraveno" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 složka" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} složek" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 soubor" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} souborů" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: lib/app.php:73 #, php-format diff --git a/l10n/cs_CZ/files_encryption.po b/l10n/cs_CZ/files_encryption.po index b477743c562..1ae1e6e02fa 100644 --- a/l10n/cs_CZ/files_encryption.po +++ b/l10n/cs_CZ/files_encryption.po @@ -3,6 +3,7 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# janinko , 2013 # Honza K. , 2013 # Martin , 2013 # pstast , 2013 @@ -11,9 +12,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-14 17:00+0000\n" +"Last-Translator: janinko \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" @@ -74,7 +75,7 @@ msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." -msgstr "" +msgstr "Ujistěte se prosím, že máte nainstalované PHP 5.3.3 nebo novější, a že máte povolené a správně nakonfigurované OpenSSL včetně jeho rozšíření pro PHP. Prozatím byla aplikace pro šifrování vypnuta." #: hooks/hooks.php:263 msgid "Following users are not set up for encryption:" diff --git a/l10n/cs_CZ/files_trashbin.po b/l10n/cs_CZ/files_trashbin.po index 4f63d6c7dba..52c74099704 100644 --- a/l10n/cs_CZ/files_trashbin.po +++ b/l10n/cs_CZ/files_trashbin.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: Honza K. \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -52,21 +52,19 @@ msgstr "Název" msgid "Deleted" msgstr "Smazáno" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 složka" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} složky" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 soubor" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} soubory" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/cs_CZ/lib.po b/l10n/cs_CZ/lib.po index 18d9a5a279e..5cde1831012 100644 --- a/l10n/cs_CZ/lib.po +++ b/l10n/cs_CZ/lib.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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -209,50 +209,50 @@ msgid "seconds ago" msgstr "před pár sekundami" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "před minutou" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "před %d minutami" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "před hodinou" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "před %d hodinami" - -#: template/functions.php:85 msgid "today" msgstr "dnes" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "včera" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "před %d dny" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "minulý měsíc" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "před %d měsíci" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "minulý rok" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "před lety" diff --git a/l10n/cy_GB/core.po b/l10n/cy_GB/core.po index e17b731ac31..eda31fda907 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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,67 @@ msgstr "Tachwedd" msgid "December" msgstr "Rhagfyr" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Gosodiadau" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "eiliad yn ôl" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 munud yn ôl" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes} munud yn ôl" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1 awr yn ôl" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{hours} awr yn ôl" - -#: js/js.js:819 msgid "today" msgstr "heddiw" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "ddoe" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{days} diwrnod yn ôl" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "mis diwethaf" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{months} mis yn ôl" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "misoedd yn ôl" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "y llynedd" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "blwyddyn yn ôl" @@ -378,9 +386,10 @@ msgstr "Methodd y diweddariad. Adroddwch y mater hwn i \n" "Language-Team: Welsh (United Kingdom) (http://www.transifex.com/projects/p/owncloud/language/cy_GB/)\n" "MIME-Version: 1.0\n" @@ -128,7 +128,7 @@ msgstr "Dileu" msgid "Rename" msgstr "Ailenwi" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "I ddod" @@ -160,11 +160,15 @@ msgstr "dadwneud" msgid "perform delete operation" msgstr "cyflawni gweithred dileu" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 ffeil yn llwytho i fyny" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "ffeiliau'n llwytho i fyny" @@ -212,21 +216,21 @@ msgstr "Maint" msgid "Modified" msgstr "Addaswyd" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 blygell" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} plygell" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 ffeil" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} ffeil" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" #: lib/app.php:73 #, php-format diff --git a/l10n/cy_GB/files_trashbin.po b/l10n/cy_GB/files_trashbin.po index 2df508d685e..b9b366cf636 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,21 @@ msgstr "Enw" msgid "Deleted" msgstr "Wedi dileu" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 blygell" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} plygell" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 ffeil" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} ffeil" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/cy_GB/lib.po b/l10n/cy_GB/lib.po index c4ce11ab837..f53ef9f6f27 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,54 @@ msgid "seconds ago" msgstr "eiliad yn ôl" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 munud yn ôl" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d munud yn ôl" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "1 awr yn ôl" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "%d awr yn ôl" - -#: template/functions.php:85 msgid "today" msgstr "heddiw" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "ddoe" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d diwrnod yn ôl" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "mis diwethaf" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "%d mis yn ôl" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "y llynedd" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "blwyddyn yn ôl" diff --git a/l10n/da/core.po b/l10n/da/core.po index 4f043cabb6e..2966aa98494 100644 --- a/l10n/da/core.po +++ b/l10n/da/core.po @@ -4,14 +4,15 @@ # # Translators: # Sappe, 2013 +# claus_chr , 2013 # Ole Holm Frandsen , 2013 # Peter Jespersen , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -140,59 +141,59 @@ msgstr "November" msgid "December" msgstr "December" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Indstillinger" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "sekunder siden" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 minut siden" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes} minutter siden" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1 time siden" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{hours} timer siden" - -#: js/js.js:819 msgid "today" msgstr "i dag" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "i går" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{days} dage siden" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "sidste måned" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{months} måneder siden" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "måneder siden" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "sidste år" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "år siden" @@ -380,9 +381,10 @@ msgstr "Opdateringen blev ikke udført korrekt. Rapporter venligst problemet til msgid "The update was successful. Redirecting you to ownCloud now." msgstr "Opdateringen blev udført korrekt. Du bliver nu viderestillet til ownCloud." -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" -msgstr "Nulstil ownCloud kodeord" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" +msgstr "" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" @@ -414,7 +416,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 "Dine filer er krypterede. Hvis du ikke har aktiveret gendannelsesnøglen kan du ikke få dine data tilbage efter at du har ændret adgangskode. HVis du ikke er sikker på, hvad du skal gøre så kontakt din administrator før du fortsætter. Vil du fortsætte?" #: lostpassword/templates/lostpassword.php:24 msgid "Yes, I really want to reset my password now" @@ -477,7 +479,7 @@ msgid "" "View it: %s\n" "\n" "Cheers!" -msgstr "" +msgstr "Hallo\n\ndette blot for at lade dig vide, at %s har delt %s med dig.\nSe det: %s\n\nHej" #: templates/edit_categories_dialog.php:4 msgid "Edit categories" @@ -524,7 +526,7 @@ msgstr "Dine data mappe og filer er sandsynligvis tilgængelige fra internettet msgid "" "For information how to properly configure your server, please see the documentation." -msgstr "" +msgstr "For information om, hvordan du konfigurerer din server korrekt se dokumentationen." #: templates/installation.php:47 msgid "Create an admin account" @@ -583,7 +585,7 @@ msgstr "Log ud" #: templates/layout.user.php:100 msgid "More apps" -msgstr "" +msgstr "Flere programmer" #: templates/login.php:9 msgid "Automatic logon rejected!" @@ -620,7 +622,7 @@ msgstr "Alternative logins" msgid "" "Hey there,

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

    Cheers!" -msgstr "" +msgstr "Hallo,

    dette blot for at lade dig vide, at %s har delt \"%s\" med dig.
    Se det!

    Hej" #: templates/part.pagenavi.php:3 msgid "prev" diff --git a/l10n/da/files.po b/l10n/da/files.po index 19bbe806b54..8a78acb722a 100644 --- a/l10n/da/files.po +++ b/l10n/da/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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: Sappe\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -130,7 +130,7 @@ msgstr "Slet" msgid "Rename" msgstr "Omdøb" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Afventer" @@ -162,11 +162,13 @@ msgstr "fortryd" msgid "perform delete operation" msgstr "udfør slet operation" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 fil uploades" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "uploader filer" @@ -214,21 +216,17 @@ msgstr "Størrelse" msgid "Modified" msgstr "Ændret" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 mappe" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} mapper" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 fil" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} filer" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/da/files_encryption.po b/l10n/da/files_encryption.po index ad4b78df1c2..105ba059f9e 100644 --- a/l10n/da/files_encryption.po +++ b/l10n/da/files_encryption.po @@ -4,13 +4,14 @@ # # Translators: # Sappe, 2013 +# claus_chr , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-14 19:40+0000\n" +"Last-Translator: claus_chr \n" "Language-Team: Danish (http://www.transifex.com/projects/p/owncloud/language/da/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -71,11 +72,11 @@ msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." -msgstr "" +msgstr "Sørg for at PHP 5.3.3 eller nyere er installeret og at OpenSSL sammen med PHP-udvidelsen er aktiveret og korrekt konfigureret. Indtil videre er krypteringsprogrammet deaktiveret." #: hooks/hooks.php:263 msgid "Following users are not set up for encryption:" -msgstr "" +msgstr "Følgende brugere er ikke sat op til kryptering:" #: js/settings-admin.js:11 msgid "Saving..." diff --git a/l10n/da/files_trashbin.po b/l10n/da/files_trashbin.po index 9e5c80b3041..a629083f8ba 100644 --- a/l10n/da/files_trashbin.po +++ b/l10n/da/files_trashbin.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: Sappe\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -52,21 +52,17 @@ msgstr "Navn" msgid "Deleted" msgstr "Slettet" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 mappe" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} mapper" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 fil" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} filer" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/da/lib.po b/l10n/da/lib.po index 428fab08b39..1d132880f9d 100644 --- a/l10n/da/lib.po +++ b/l10n/da/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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -208,50 +208,46 @@ msgid "seconds ago" msgstr "sekunder siden" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 minut siden" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d minutter siden" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "1 time siden" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "%d timer siden" - -#: template/functions.php:85 msgid "today" msgstr "i dag" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "i går" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d dage siden" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "sidste måned" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "%d måneder siden" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "sidste år" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "år siden" diff --git a/l10n/de/core.po b/l10n/de/core.po index b3c2ddb1bef..47ffc3c1458 100644 --- a/l10n/de/core.po +++ b/l10n/de/core.po @@ -4,6 +4,7 @@ # # Translators: # arkascha , 2013 +# I Robot , 2013 # Marcel Kühlhorn , 2013 # Mario Siegmann , 2013 # JamFX , 2013 @@ -14,9 +15,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-13 09:11-0400\n" -"PO-Revision-Date: 2013-08-11 15:10+0000\n" -"Last-Translator: Mario Siegmann \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"Last-Translator: I Robot \n" "Language-Team: German \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -144,59 +145,59 @@ msgstr "November" msgid "December" msgstr "Dezember" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Einstellungen" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "Gerade eben" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "vor einer Minute" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "Vor {minutes} Minuten" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "Vor einer Stunde" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "Vor {hours} Stunden" - -#: js/js.js:819 msgid "today" msgstr "Heute" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "Gestern" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "Vor {days} Tag(en)" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "Letzten Monat" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "Vor {months} Monaten" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "Vor Monaten" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "Letztes Jahr" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "Vor Jahren" @@ -384,9 +385,10 @@ msgstr "Das Update ist fehlgeschlagen. Bitte melde dieses Problem an die \n" "Language-Team: German \n" "MIME-Version: 1.0\n" @@ -132,7 +132,7 @@ msgstr "Löschen" msgid "Rename" msgstr "Umbenennen" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Ausstehend" @@ -164,11 +164,13 @@ msgstr "rückgängig machen" msgid "perform delete operation" msgstr "Löschvorgang ausführen" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 Datei wird hochgeladen" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "Dateien werden hoch geladen" @@ -216,21 +218,17 @@ msgstr "Größe" msgid "Modified" msgstr "Geändert" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 Ordner" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} Ordner" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 Datei" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} Dateien" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/de/files_trashbin.po b/l10n/de/files_trashbin.po index dd3f5d772bb..65d345b8f64 100644 --- a/l10n/de/files_trashbin.po +++ b/l10n/de/files_trashbin.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: Mario Siegmann \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"Last-Translator: I Robot \n" "Language-Team: German \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -52,21 +52,17 @@ msgstr "Name" msgid "Deleted" msgstr "gelöscht" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 Ordner" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} Ordner" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 Datei" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} Dateien" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/de/lib.po b/l10n/de/lib.po index 2c23153b7ad..c6fc4ba5f1a 100644 --- a/l10n/de/lib.po +++ b/l10n/de/lib.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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+0000\n" "Last-Translator: I Robot \n" "Language-Team: German \n" "MIME-Version: 1.0\n" @@ -209,50 +209,46 @@ msgid "seconds ago" msgstr "Gerade eben" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "vor einer Minute" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "Vor %d Minuten" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "Vor einer Stunde" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "Vor %d Stunden" - -#: template/functions.php:85 msgid "today" msgstr "Heute" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "Gestern" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "Vor %d Tag(en)" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "Letzten Monat" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "Vor %d Monaten" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "Letztes Jahr" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "Vor Jahren" diff --git a/l10n/de_AT/core.po b/l10n/de_AT/core.po index d28efc5d0cb..621763a9b8e 100644 --- a/l10n/de_AT/core.po +++ b/l10n/de_AT/core.po @@ -3,12 +3,13 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# I Robot , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Austria) (http://www.transifex.com/projects/p/owncloud/language/de_AT/)\n" "MIME-Version: 1.0\n" @@ -137,59 +138,59 @@ msgstr "" msgid "December" msgstr "" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "" -#: js/js.js:814 -msgid "seconds ago" -msgstr "" - #: js/js.js:815 -msgid "1 minute ago" +msgid "seconds ago" msgstr "" #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" +msgid "today" msgstr "" #: js/js.js:819 -msgid "today" +msgid "yesterday" msgstr "" #: js/js.js:820 -msgid "yesterday" -msgstr "" +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:821 -msgid "{days} days ago" +msgid "last month" msgstr "" #: js/js.js:822 -msgid "last month" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:823 -msgid "{months} months ago" -msgstr "" - -#: js/js.js:824 msgid "months ago" msgstr "" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "" @@ -377,8 +378,9 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" msgstr "" #: lostpassword/templates/email.php:2 @@ -580,7 +582,7 @@ msgstr "" #: templates/layout.user.php:100 msgid "More apps" -msgstr "" +msgstr "Mehr Apps" #: templates/login.php:9 msgid "Automatic logon rejected!" diff --git a/l10n/de_AT/files.po b/l10n/de_AT/files.po index 8b21b5f1692..c6a4736092c 100644 --- a/l10n/de_AT/files.po +++ b/l10n/de_AT/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 09:02+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Austria) (http://www.transifex.com/projects/p/owncloud/language/de_AT/)\n" "MIME-Version: 1.0\n" @@ -128,7 +128,7 @@ msgstr "" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "" @@ -160,11 +160,13 @@ msgstr "" msgid "perform delete operation" msgstr "" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -212,21 +214,17 @@ msgstr "" msgid "Modified" msgstr "" -#: js/files.js:763 -msgid "1 folder" -msgstr "" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" -#: js/files.js:773 -msgid "1 file" -msgstr "" - -#: js/files.js:775 -msgid "{count} files" -msgstr "" +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/de_AT/files_trashbin.po b/l10n/de_AT/files_trashbin.po index 12c2585e9cb..a05dc1411b2 100644 --- a/l10n/de_AT/files_trashbin.po +++ b/l10n/de_AT/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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 09:02+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Austria) (http://www.transifex.com/projects/p/owncloud/language/de_AT/)\n" "MIME-Version: 1.0\n" @@ -51,21 +51,17 @@ msgstr "" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" -#: js/trash.js:202 -msgid "1 file" -msgstr "" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "" +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/de_AT/lib.po b/l10n/de_AT/lib.po index 4d42aa22717..0984165a840 100644 --- a/l10n/de_AT/lib.po +++ b/l10n/de_AT/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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Austria) (http://www.transifex.com/projects/p/owncloud/language/de_AT/)\n" "MIME-Version: 1.0\n" @@ -206,50 +206,46 @@ msgid "seconds ago" msgstr "" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" +msgid "today" msgstr "" #: template/functions.php:84 -#, php-format -msgid "%d hours ago" +msgid "yesterday" msgstr "" #: template/functions.php:85 -msgid "today" -msgstr "" +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:86 -msgid "yesterday" +msgid "last month" msgstr "" #: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" #: 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 +#: template/functions.php:89 msgid "years ago" msgstr "" diff --git a/l10n/de_CH/core.po b/l10n/de_CH/core.po index d32af375341..78e1a2ea083 100644 --- a/l10n/de_CH/core.po +++ b/l10n/de_CH/core.po @@ -5,6 +5,7 @@ # Translators: # arkascha , 2013 # FlorianScholz , 2013 +# I Robot , 2013 # Marcel Kühlhorn , 2013 # Mario Siegmann , 2013 # Mirodin , 2013 @@ -14,8 +15,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Switzerland) (http://www.transifex.com/projects/p/owncloud/language/de_CH/)\n" "MIME-Version: 1.0\n" @@ -144,59 +145,59 @@ msgstr "November" msgid "December" msgstr "Dezember" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Einstellungen" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "Gerade eben" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "Vor 1 Minute" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "Vor {minutes} Minuten" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "Vor einer Stunde" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "Vor {hours} Stunden" - -#: js/js.js:819 msgid "today" msgstr "Heute" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "Gestern" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "Vor {days} Tag(en)" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "Letzten Monat" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "Vor {months} Monaten" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "Vor Monaten" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "Letztes Jahr" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "Vor Jahren" @@ -384,9 +385,10 @@ msgstr "Das Update ist fehlgeschlagen. Bitte melden Sie dieses Problem an die \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"Last-Translator: I Robot \n" "Language-Team: German (Switzerland) (http://www.transifex.com/projects/p/owncloud/language/de_CH/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -136,7 +136,7 @@ msgstr "Löschen" msgid "Rename" msgstr "Umbenennen" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Ausstehend" @@ -168,11 +168,13 @@ msgstr "rückgängig machen" msgid "perform delete operation" msgstr "Löschvorgang ausführen" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 Datei wird hochgeladen" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "Dateien werden hoch geladen" @@ -220,21 +222,17 @@ msgstr "Grösse" msgid "Modified" msgstr "Geändert" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 Ordner" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} Ordner" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 Datei" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} Dateien" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/de_CH/files_trashbin.po b/l10n/de_CH/files_trashbin.po index 11659a6602a..1d80e2f4371 100644 --- a/l10n/de_CH/files_trashbin.po +++ b/l10n/de_CH/files_trashbin.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: FlorianScholz \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"Last-Translator: I Robot \n" "Language-Team: German (Switzerland) (http://www.transifex.com/projects/p/owncloud/language/de_CH/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -53,21 +53,17 @@ msgstr "Name" msgid "Deleted" msgstr "Gelöscht" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 Ordner" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} Ordner" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 Datei" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} Dateien" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/de_CH/lib.po b/l10n/de_CH/lib.po index a3ba8221ed8..b694523ffe8 100644 --- a/l10n/de_CH/lib.po +++ b/l10n/de_CH/lib.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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Switzerland) (http://www.transifex.com/projects/p/owncloud/language/de_CH/)\n" "MIME-Version: 1.0\n" @@ -209,50 +209,46 @@ msgid "seconds ago" msgstr "Gerade eben" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "Vor 1 Minute" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "Vor %d Minuten" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "Vor einer Stunde" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "Vor %d Stunden" - -#: template/functions.php:85 msgid "today" msgstr "Heute" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "Gestern" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "Vor %d Tag(en)" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "Letzten Monat" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "Vor %d Monaten" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "Letztes Jahr" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "Vor Jahren" diff --git a/l10n/de_DE/core.po b/l10n/de_DE/core.po index 081129c614e..80603ff03ae 100644 --- a/l10n/de_DE/core.po +++ b/l10n/de_DE/core.po @@ -5,6 +5,7 @@ # Translators: # arkascha , 2013 # SteinQuadrat, 2013 +# I Robot , 2013 # Marcel Kühlhorn , 2013 # Mario Siegmann , 2013 # traductor , 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-08-13 09:11-0400\n" -"PO-Revision-Date: 2013-08-11 15:10+0000\n" -"Last-Translator: Mario Siegmann \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"Last-Translator: I Robot \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -143,59 +144,59 @@ msgstr "November" msgid "December" msgstr "Dezember" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Einstellungen" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "Gerade eben" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "Vor 1 Minute" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "Vor {minutes} Minuten" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "Vor einer Stunde" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "Vor {hours} Stunden" - -#: js/js.js:819 msgid "today" msgstr "Heute" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "Gestern" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "Vor {days} Tag(en)" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "Letzten Monat" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "Vor {months} Monaten" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "Vor Monaten" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "Letztes Jahr" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "Vor Jahren" @@ -383,9 +384,10 @@ msgstr "Das Update ist fehlgeschlagen. Bitte melden Sie dieses Problem an die , 2013 # Marcel Kühlhorn , 2013 # traductor , 2013 +# noxin , 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:50+0000\n" +"Last-Translator: noxin \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -135,7 +136,7 @@ msgstr "Löschen" msgid "Rename" msgstr "Umbenennen" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Ausstehend" @@ -167,11 +168,13 @@ msgstr "rückgängig machen" msgid "perform delete operation" msgstr "Löschvorgang ausführen" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 Datei wird hochgeladen" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "Es werden %n Dateien hochgeladen" +msgstr[1] "Es werden %n Dateien hochgeladen" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "Dateien werden hoch geladen" @@ -219,21 +222,17 @@ msgstr "Größe" msgid "Modified" msgstr "Geändert" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 Ordner" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} Ordner" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 Datei" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} Dateien" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/de_DE/files_trashbin.po b/l10n/de_DE/files_trashbin.po index ea20766b17b..d42fec3eb75 100644 --- a/l10n/de_DE/files_trashbin.po +++ b/l10n/de_DE/files_trashbin.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: Mario Siegmann \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"Last-Translator: I Robot \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -52,21 +52,17 @@ msgstr "Name" msgid "Deleted" msgstr "Gelöscht" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 Ordner" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} Ordner" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 Datei" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} Dateien" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/de_DE/lib.po b/l10n/de_DE/lib.po index ff53275a286..3a5acf70279 100644 --- a/l10n/de_DE/lib.po +++ b/l10n/de_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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" @@ -208,50 +208,46 @@ msgid "seconds ago" msgstr "Gerade eben" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "Vor 1 Minute" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "Vor %d Minuten" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "Vor einer Stunde" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "Vor %d Stunden" - -#: template/functions.php:85 msgid "today" msgstr "Heute" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "Gestern" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "Vor %d Tag(en)" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "Letzten Monat" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "Vor %d Monaten" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "Letztes Jahr" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "Vor Jahren" diff --git a/l10n/el/core.po b/l10n/el/core.po index 513c719b8b8..9ce695662a3 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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:354 +#: js/js.js:355 msgid "Settings" msgstr "Ρυθμίσεις" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "δευτερόλεπτα πριν" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 λεπτό πριν" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes} λεπτά πριν" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1 ώρα πριν" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{hours} ώρες πριν" - -#: js/js.js:819 msgid "today" msgstr "σήμερα" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "χτες" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{days} ημέρες πριν" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "τελευταίο μήνα" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{months} μήνες πριν" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "μήνες πριν" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "τελευταίο χρόνο" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "χρόνια πριν" @@ -384,9 +384,10 @@ msgstr "Η ενημέρωση ήταν ανεπιτυχής. Παρακαλώ σ msgid "The update was successful. Redirecting you to ownCloud now." msgstr "Η ενημέρωση ήταν επιτυχής. Μετάβαση στο ownCloud." -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" -msgstr "Επαναφορά συνθηματικού ownCloud" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" +msgstr "" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/el/files.po b/l10n/el/files.po index a4f5443a37c..483abeaba5d 100644 --- a/l10n/el/files.po +++ b/l10n/el/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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: Efstathios Iosifidis \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -130,7 +130,7 @@ msgstr "Διαγραφή" msgid "Rename" msgstr "Μετονομασία" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Εκκρεμεί" @@ -162,11 +162,13 @@ msgstr "αναίρεση" msgid "perform delete operation" msgstr "εκτέλεση της διαδικασίας διαγραφής" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 αρχείο ανεβαίνει" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "αρχεία ανεβαίνουν" @@ -214,21 +216,17 @@ msgstr "Μέγεθος" msgid "Modified" msgstr "Τροποποιήθηκε" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 φάκελος" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} φάκελοι" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 αρχείο" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} αρχεία" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/el/files_trashbin.po b/l10n/el/files_trashbin.po index 6c2cab32d42..9419e249a1f 100644 --- a/l10n/el/files_trashbin.po +++ b/l10n/el/files_trashbin.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: Efstathios Iosifidis \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -52,21 +52,17 @@ msgstr "Όνομα" msgid "Deleted" msgstr "Διαγράφηκε" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 φάκελος" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} φάκελοι" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 αρχείο" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} αρχεία" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/el/lib.po b/l10n/el/lib.po index 2bc4d5854c9..c98f621f36e 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -207,50 +207,46 @@ msgid "seconds ago" msgstr "δευτερόλεπτα πριν" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 λεπτό πριν" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d λεπτά πριν" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "1 ώρα πριν" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "%d ώρες πριν" - -#: template/functions.php:85 msgid "today" msgstr "σήμερα" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "χτες" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d ημέρες πριν" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "τελευταίο μήνα" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "%d μήνες πριν" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "τελευταίο χρόνο" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "χρόνια πριν" diff --git a/l10n/en@pirate/core.po b/l10n/en@pirate/core.po index 9d2bf6cd16f..f644607fac9 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -138,59 +138,59 @@ msgstr "" msgid "December" msgstr "" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "" -#: js/js.js:814 -msgid "seconds ago" -msgstr "" - #: js/js.js:815 -msgid "1 minute ago" +msgid "seconds ago" msgstr "" #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" +msgid "today" msgstr "" #: js/js.js:819 -msgid "today" +msgid "yesterday" msgstr "" #: js/js.js:820 -msgid "yesterday" -msgstr "" +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:821 -msgid "{days} days ago" +msgid "last month" msgstr "" #: js/js.js:822 -msgid "last month" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:823 -msgid "{months} months ago" -msgstr "" - -#: js/js.js:824 msgid "months ago" msgstr "" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "" @@ -378,8 +378,9 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" msgstr "" #: lostpassword/templates/email.php:2 diff --git a/l10n/en@pirate/files.po b/l10n/en@pirate/files.po index e3737d260a1..49638f0cca2 100644 --- a/l10n/en@pirate/files.po +++ b/l10n/en@pirate/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -128,7 +128,7 @@ msgstr "" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "" @@ -160,11 +160,13 @@ msgstr "" msgid "perform delete operation" msgstr "" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -212,21 +214,17 @@ msgstr "" msgid "Modified" msgstr "" -#: js/files.js:763 -msgid "1 folder" -msgstr "" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" -#: js/files.js:773 -msgid "1 file" -msgstr "" - -#: js/files.js:775 -msgid "{count} files" -msgstr "" +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/en@pirate/files_trashbin.po b/l10n/en@pirate/files_trashbin.po index 03673aa9390..c64e4f7a6a2 100644 --- a/l10n/en@pirate/files_trashbin.po +++ b/l10n/en@pirate/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-30 01:55-0400\n" -"PO-Revision-Date: 2013-07-30 05:56+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,17 @@ msgstr "" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" -#: js/trash.js:202 -msgid "1 file" -msgstr "" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "" +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/en@pirate/lib.po b/l10n/en@pirate/lib.po index 57f3f1a3de0..69cf917ce77 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,46 @@ msgid "seconds ago" msgstr "" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" +msgid "today" msgstr "" #: template/functions.php:84 -#, php-format -msgid "%d hours ago" +msgid "yesterday" msgstr "" #: template/functions.php:85 -msgid "today" -msgstr "" +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:86 -msgid "yesterday" +msgid "last month" msgstr "" #: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" #: 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 +#: template/functions.php:89 msgid "years ago" msgstr "" diff --git a/l10n/eo/core.po b/l10n/eo/core.po index 6a0ad8b24ab..59d39a60fd0 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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:354 +#: js/js.js:355 msgid "Settings" msgstr "Agordo" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "sekundoj antaŭe" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "antaŭ 1 minuto" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "antaŭ {minutes} minutoj" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "antaŭ 1 horo" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "antaŭ {hours} horoj" - -#: js/js.js:819 msgid "today" msgstr "hodiaŭ" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "hieraŭ" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "antaŭ {days} tagoj" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "lastamonate" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "antaŭ {months} monatoj" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "monatoj antaŭe" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "lastajare" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "jaroj antaŭe" @@ -379,9 +379,10 @@ msgstr "La ĝisdatigo estis malsukcese. Bonvolu raporti tiun problemon al la \n" "Language-Team: Esperanto (http://www.transifex.com/projects/p/owncloud/language/eo/)\n" "MIME-Version: 1.0\n" @@ -129,7 +129,7 @@ msgstr "Forigi" msgid "Rename" msgstr "Alinomigi" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Traktotaj" @@ -161,11 +161,13 @@ msgstr "malfari" msgid "perform delete operation" msgstr "plenumi forigan operacion" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 dosiero estas alŝutata" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "dosieroj estas alŝutataj" @@ -213,21 +215,17 @@ msgstr "Grando" msgid "Modified" msgstr "Modifita" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 dosierujo" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} dosierujoj" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 dosiero" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} dosierujoj" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/eo/files_trashbin.po b/l10n/eo/files_trashbin.po index c306eefbc51..def217fe084 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,17 @@ msgstr "Nomo" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 dosierujo" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} dosierujoj" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 dosiero" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} dosierujoj" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/eo/lib.po b/l10n/eo/lib.po index 313fcc5b1ed..8c48d709483 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -207,50 +207,46 @@ msgid "seconds ago" msgstr "sekundoj antaŭe" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "antaŭ 1 minuto" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "antaŭ %d minutoj" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "antaŭ 1 horo" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "antaŭ %d horoj" - -#: template/functions.php:85 msgid "today" msgstr "hodiaŭ" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "hieraŭ" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "antaŭ %d tagoj" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "lastamonate" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "antaŭ %d monatoj" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "lastajare" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "jaroj antaŭe" diff --git a/l10n/es/core.po b/l10n/es/core.po index 3cd276adf72..89a2465d445 100644 --- a/l10n/es/core.po +++ b/l10n/es/core.po @@ -15,8 +15,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -145,59 +145,59 @@ msgstr "Noviembre" msgid "December" msgstr "Diciembre" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Ajustes" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "hace segundos" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "hace 1 minuto" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "hace {minutes} minutos" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "Hace 1 hora" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "Hace {hours} horas" - -#: js/js.js:819 msgid "today" msgstr "hoy" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "ayer" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "hace {days} días" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "el mes pasado" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "Hace {months} meses" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "hace meses" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "el año pasado" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "hace años" @@ -385,9 +385,10 @@ msgstr "La actualización ha fracasado. Por favor, informe de este problema a la msgid "The update was successful. Redirecting you to ownCloud now." msgstr "La actualización se ha realizado con éxito. Redireccionando a ownCloud ahora." -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" -msgstr "Reseteo contraseña de ownCloud" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" +msgstr "" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/es/files.po b/l10n/es/files.po index 8a38275c614..6dd3bd3f4ad 100644 --- a/l10n/es/files.po +++ b/l10n/es/files.po @@ -12,8 +12,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -133,7 +133,7 @@ msgstr "Eliminar" msgid "Rename" msgstr "Renombrar" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Pendiente" @@ -165,11 +165,13 @@ msgstr "deshacer" msgid "perform delete operation" msgstr "Realizar operación de borrado" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "subiendo 1 archivo" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "subiendo archivos" @@ -217,21 +219,17 @@ msgstr "Tamaño" msgid "Modified" msgstr "Modificado" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 carpeta" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} carpetas" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 archivo" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} archivos" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/es/files_trashbin.po b/l10n/es/files_trashbin.po index ccaa90e09d2..beb34a8115e 100644 --- a/l10n/es/files_trashbin.po +++ b/l10n/es/files_trashbin.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: Art O. Pal \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -53,21 +53,17 @@ msgstr "Nombre" msgid "Deleted" msgstr "Eliminado" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 carpeta" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} carpetas" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 archivo" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} archivos" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/es/lib.po b/l10n/es/lib.po index 8ff17ba6da0..209038f14eb 100644 --- a/l10n/es/lib.po +++ b/l10n/es/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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -208,50 +208,46 @@ msgid "seconds ago" msgstr "hace segundos" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "hace 1 minuto" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "hace %d minutos" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "Hace 1 hora" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "Hace %d horas" - -#: template/functions.php:85 msgid "today" msgstr "hoy" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "ayer" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "hace %d días" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "mes pasado" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "Hace %d meses" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "año pasado" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "hace años" diff --git a/l10n/es_AR/core.po b/l10n/es_AR/core.po index 886ceb9876e..a64c557f8e7 100644 --- a/l10n/es_AR/core.po +++ b/l10n/es_AR/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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -138,59 +138,59 @@ msgstr "noviembre" msgid "December" msgstr "diciembre" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Configuración" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "segundos atrás" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "hace 1 minuto" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "hace {minutes} minutos" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1 hora atrás" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "hace {hours} horas" - -#: js/js.js:819 msgid "today" msgstr "hoy" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "ayer" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "hace {days} días" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "el mes pasado" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{months} meses atrás" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "meses atrás" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "el año pasado" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "años atrás" @@ -378,9 +378,10 @@ msgstr "La actualización no pudo ser completada. Por favor, reportá el inconve msgid "The update was successful. Redirecting you to ownCloud now." msgstr "La actualización fue exitosa. Estás siendo redirigido a ownCloud." -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" -msgstr "Restablecer contraseña de ownCloud" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" +msgstr "" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/es_AR/files.po b/l10n/es_AR/files.po index 3b8bee30bcf..942c654beb6 100644 --- a/l10n/es_AR/files.po +++ b/l10n/es_AR/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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -130,7 +130,7 @@ msgstr "Borrar" msgid "Rename" msgstr "Cambiar nombre" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Pendientes" @@ -162,11 +162,13 @@ msgstr "deshacer" msgid "perform delete operation" msgstr "Llevar a cabo borrado" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "Subiendo 1 archivo" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "Subiendo archivos" @@ -214,21 +216,17 @@ msgstr "Tamaño" msgid "Modified" msgstr "Modificado" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 directorio" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} directorios" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 archivo" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} archivos" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/es_AR/files_trashbin.po b/l10n/es_AR/files_trashbin.po index 2a816ac13b9..bdec790f40d 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,17 @@ msgstr "Nombre" msgid "Deleted" msgstr "Borrado" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 directorio" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} directorios" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 archivo" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} archivos" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/es_AR/lib.po b/l10n/es_AR/lib.po index 47c28e8b23b..722cf0c4c60 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -207,50 +207,46 @@ msgid "seconds ago" msgstr "segundos atrás" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "hace 1 minuto" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "hace %d minutos" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "hace 1 hora" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "hace %d horas" - -#: template/functions.php:85 msgid "today" msgstr "hoy" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "ayer" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "hace %d días" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "el mes pasado" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "hace %d meses" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "el año pasado" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "años atrás" diff --git a/l10n/et_EE/core.po b/l10n/et_EE/core.po index 388afd742f4..089c7847e96 100644 --- a/l10n/et_EE/core.po +++ b/l10n/et_EE/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-08-13 09:11-0400\n" -"PO-Revision-Date: 2013-08-12 11:00+0000\n" -"Last-Translator: pisike.sipelgas \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -139,59 +139,59 @@ msgstr "November" msgid "December" msgstr "Detsember" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Seaded" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "sekundit tagasi" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 minut tagasi" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes} minutit tagasi" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1 tund tagasi" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{hours} tundi tagasi" - -#: js/js.js:819 msgid "today" msgstr "täna" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "eile" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{days} päeva tagasi" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "viimasel kuul" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{months} kuud tagasi" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "kuu tagasi" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "viimasel aastal" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "aastat tagasi" @@ -379,9 +379,10 @@ msgstr "Uuendus ebaõnnestus. Palun teavita probleemidest \n" "Language-Team: Estonian (Estonia) (http://www.transifex.com/projects/p/owncloud/language/et_EE/)\n" "MIME-Version: 1.0\n" @@ -130,7 +130,7 @@ msgstr "Kustuta" msgid "Rename" msgstr "Nimeta ümber" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Ootel" @@ -162,11 +162,13 @@ msgstr "tagasi" msgid "perform delete operation" msgstr "teosta kustutamine" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 fail üleslaadimisel" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "faili üleslaadimisel" @@ -214,21 +216,17 @@ msgstr "Suurus" msgid "Modified" msgstr "Muudetud" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 kaust" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} kausta" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 fail" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} faili" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/et_EE/files_trashbin.po b/l10n/et_EE/files_trashbin.po index 7fc9276bc8e..9e88ec56abd 100644 --- a/l10n/et_EE/files_trashbin.po +++ b/l10n/et_EE/files_trashbin.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-08-13 09:11-0400\n" -"PO-Revision-Date: 2013-08-12 11:10+0000\n" -"Last-Translator: pisike.sipelgas \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -52,21 +52,17 @@ msgstr "Nimi" msgid "Deleted" msgstr "Kustutatud" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 kaust" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} kausta" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 fail" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} faili" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/et_EE/lib.po b/l10n/et_EE/lib.po index 6324649b8a6..a0fadcd8fea 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -208,50 +208,46 @@ msgid "seconds ago" msgstr "sekundit tagasi" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 minut tagasi" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d minutit tagasi" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "1 tund tagasi" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "%d tundi tagasi" - -#: template/functions.php:85 msgid "today" msgstr "täna" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "eile" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d päeva tagasi" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "viimasel kuul" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "%d kuud tagasi" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "viimasel aastal" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "aastat tagasi" diff --git a/l10n/eu/core.po b/l10n/eu/core.po index 3b85fc58760..b732596c727 100644 --- a/l10n/eu/core.po +++ b/l10n/eu/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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -139,59 +139,59 @@ msgstr "Azaroa" msgid "December" msgstr "Abendua" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Ezarpenak" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "segundu" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "orain dela minutu 1" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "orain dela {minutes} minutu" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "orain dela ordu bat" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "orain dela {hours} ordu" - -#: js/js.js:819 msgid "today" msgstr "gaur" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "atzo" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "orain dela {days} egun" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "joan den hilabetean" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "orain dela {months} hilabete" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "hilabete" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "joan den urtean" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "urte" @@ -379,9 +379,10 @@ msgstr "Eguneraketa ez da ongi egin. Mesedez egin arazoaren txosten bat \n" "Language-Team: Basque (http://www.transifex.com/projects/p/owncloud/language/eu/)\n" "MIME-Version: 1.0\n" @@ -129,7 +129,7 @@ msgstr "Ezabatu" msgid "Rename" msgstr "Berrizendatu" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Zain" @@ -161,11 +161,13 @@ msgstr "desegin" msgid "perform delete operation" msgstr "Ezabatu" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "fitxategi 1 igotzen" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "fitxategiak igotzen" @@ -213,21 +215,17 @@ msgstr "Tamaina" msgid "Modified" msgstr "Aldatuta" -#: js/files.js:763 -msgid "1 folder" -msgstr "karpeta bat" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} karpeta" - -#: js/files.js:773 -msgid "1 file" -msgstr "fitxategi bat" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} fitxategi" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/eu/files_trashbin.po b/l10n/eu/files_trashbin.po index 0c4934d2707..ee2efd48c1b 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,17 @@ msgstr "Izena" msgid "Deleted" msgstr "Ezabatuta" -#: js/trash.js:192 -msgid "1 folder" -msgstr "karpeta bat" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} karpeta" - -#: js/trash.js:202 -msgid "1 file" -msgstr "fitxategi bat" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} fitxategi" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/eu/lib.po b/l10n/eu/lib.po index 03ab66ae767..99b8dd00c28 100644 --- a/l10n/eu/lib.po +++ b/l10n/eu/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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -208,50 +208,46 @@ msgid "seconds ago" msgstr "segundu" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "orain dela minutu 1" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "orain dela %d minutu" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "orain dela ordu bat" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "orain dela %d ordu" - -#: template/functions.php:85 msgid "today" msgstr "gaur" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "atzo" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "orain dela %d egun" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "joan den hilabetean" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "orain dela %d hilabete" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "joan den urtean" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "urte" diff --git a/l10n/fa/core.po b/l10n/fa/core.po index 7b7f10c2561..13245335540 100644 --- a/l10n/fa/core.po +++ b/l10n/fa/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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -138,59 +138,55 @@ msgstr "نوامبر" msgid "December" msgstr "دسامبر" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "تنظیمات" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "ثانیه‌ها پیش" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 دقیقه پیش" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{دقیقه ها} دقیقه های پیش" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1 ساعت پیش" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{ساعت ها} ساعت ها پیش" - -#: js/js.js:819 msgid "today" msgstr "امروز" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "دیروز" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{روزها} روزهای پیش" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "ماه قبل" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{ماه ها} ماه ها پیش" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "ماه‌های قبل" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "سال قبل" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "سال‌های قبل" @@ -378,9 +374,10 @@ msgstr "به روز رسانی ناموفق بود. لطفا این خطا را msgid "The update was successful. Redirecting you to ownCloud now." msgstr "به روزرسانی موفقیت آمیز بود. در حال انتقال شما به OwnCloud." -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" -msgstr "پسورد ابرهای شما تغییرکرد" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" +msgstr "" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/fa/files.po b/l10n/fa/files.po index bbe0225b17c..8a93ed80018 100644 --- a/l10n/fa/files.po +++ b/l10n/fa/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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -129,7 +129,7 @@ msgstr "حذف" msgid "Rename" msgstr "تغییرنام" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "در انتظار" @@ -161,11 +161,12 @@ msgstr "بازگشت" msgid "perform delete operation" msgstr "انجام عمل حذف" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 پرونده آپلود شد." +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "بارگذاری فایل ها" @@ -213,21 +214,15 @@ msgstr "اندازه" msgid "Modified" msgstr "تاریخ" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 پوشه" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/files.js:765 -msgid "{count} folders" -msgstr "{ شمار} پوشه ها" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 پرونده" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{ شمار } فایل ها" +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/app.php:73 #, php-format diff --git a/l10n/fa/files_trashbin.po b/l10n/fa/files_trashbin.po index 2f671b8c3ee..b7425ae04ba 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,15 @@ msgstr "نام" msgid "Deleted" msgstr "حذف شده" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 پوشه" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{ شمار} پوشه ها" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 پرونده" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{ شمار } فایل ها" +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/fa/lib.po b/l10n/fa/lib.po index 2306994e9a2..86524be032e 100644 --- a/l10n/fa/lib.po +++ b/l10n/fa/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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -207,50 +207,42 @@ msgid "seconds ago" msgstr "ثانیه‌ها پیش" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 دقیقه پیش" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d دقیقه پیش" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "1 ساعت پیش" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "%d ساعت پیش" - -#: template/functions.php:85 msgid "today" msgstr "امروز" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "دیروز" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d روز پیش" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "ماه قبل" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "%dماه پیش" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "سال قبل" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "سال‌های قبل" diff --git a/l10n/fi_FI/core.po b/l10n/fi_FI/core.po index bd4edb94e26..c568ee69521 100644 --- a/l10n/fi_FI/core.po +++ b/l10n/fi_FI/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-08-13 09:11-0400\n" -"PO-Revision-Date: 2013-08-11 17:00+0000\n" -"Last-Translator: Jiri Grönroos \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -138,59 +138,59 @@ msgstr "marraskuu" msgid "December" msgstr "joulukuu" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Asetukset" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "sekuntia sitten" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 minuutti sitten" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes} minuuttia sitten" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1 tunti sitten" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{hours} tuntia sitten" - -#: js/js.js:819 msgid "today" msgstr "tänään" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "eilen" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{days} päivää sitten" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "viime kuussa" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{months} kuukautta sitten" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "kuukautta sitten" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "viime vuonna" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "vuotta sitten" @@ -378,9 +378,10 @@ msgstr "Päivitys epäonnistui. Ilmoita ongelmasta \n" "Language-Team: Finnish (Finland) (http://www.transifex.com/projects/p/owncloud/language/fi_FI/)\n" "MIME-Version: 1.0\n" @@ -129,7 +129,7 @@ msgstr "Poista" msgid "Rename" msgstr "Nimeä uudelleen" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Odottaa" @@ -161,11 +161,13 @@ msgstr "kumoa" msgid "perform delete operation" msgstr "suorita poistotoiminto" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -213,21 +215,17 @@ msgstr "Koko" msgid "Modified" msgstr "Muokattu" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 kansio" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} kansiota" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 tiedosto" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} tiedostoa" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/fi_FI/files_trashbin.po b/l10n/fi_FI/files_trashbin.po index 654d307c870..d49cd73b908 100644 --- a/l10n/fi_FI/files_trashbin.po +++ b/l10n/fi_FI/files_trashbin.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: Jiri Grönroos \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -52,21 +52,17 @@ msgstr "Nimi" msgid "Deleted" msgstr "Poistettu" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 kansio" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} kansiota" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 tiedosto" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} tiedostoa" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/fi_FI/lib.po b/l10n/fi_FI/lib.po index b5976ee80e9..04bbdf3a797 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -207,50 +207,46 @@ msgid "seconds ago" msgstr "sekuntia sitten" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 minuutti sitten" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d minuuttia sitten" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "1 tunti sitten" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "%d tuntia sitten" - -#: template/functions.php:85 msgid "today" msgstr "tänään" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "eilen" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d päivää sitten" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "viime kuussa" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "%d kuukautta sitten" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "viime vuonna" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "vuotta sitten" diff --git a/l10n/fr/core.po b/l10n/fr/core.po index 7220f53b56f..8246c9644de 100644 --- a/l10n/fr/core.po +++ b/l10n/fr/core.po @@ -12,8 +12,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -142,59 +142,59 @@ msgstr "novembre" msgid "December" msgstr "décembre" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Paramètres" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "il y a quelques secondes" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "il y a une minute" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "il y a {minutes} minutes" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "Il y a une heure" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "Il y a {hours} heures" - -#: js/js.js:819 msgid "today" msgstr "aujourd'hui" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "hier" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "il y a {days} jours" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "le mois dernier" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "Il y a {months} mois" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "il y a plusieurs mois" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "l'année dernière" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "il y a plusieurs années" @@ -382,9 +382,10 @@ msgstr "La mise à jour a échoué. Veuillez signaler ce problème à la \n" "Language-Team: French (http://www.transifex.com/projects/p/owncloud/language/fr/)\n" "MIME-Version: 1.0\n" @@ -131,7 +131,7 @@ msgstr "Supprimer" msgid "Rename" msgstr "Renommer" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "En attente" @@ -163,11 +163,13 @@ msgstr "annuler" msgid "perform delete operation" msgstr "effectuer l'opération de suppression" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 fichier en cours d'envoi" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "fichiers en cours d'envoi" @@ -215,21 +217,17 @@ msgstr "Taille" msgid "Modified" msgstr "Modifié" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 dossier" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} dossiers" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 fichier" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} fichiers" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/fr/files_trashbin.po b/l10n/fr/files_trashbin.po index d5d08005c63..464c518b8a5 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,17 @@ msgstr "Nom" msgid "Deleted" msgstr "Effacé" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 dossier" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} dossiers" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 fichier" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} fichiers" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/fr/lib.po b/l10n/fr/lib.po index d9624537671..0658f16d435 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -207,50 +207,46 @@ msgid "seconds ago" msgstr "il y a quelques secondes" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "il y a une minute" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "il y a %d minutes" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "Il y a une heure" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "Il y a %d heures" - -#: template/functions.php:85 msgid "today" msgstr "aujourd'hui" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "hier" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "il y a %d jours" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "le mois dernier" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "Il y a %d mois" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "l'année dernière" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "il y a plusieurs années" diff --git a/l10n/gl/core.po b/l10n/gl/core.po index 4c35dd27339..c7eccad163f 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-08-13 09:11-0400\n" -"PO-Revision-Date: 2013-08-12 06:50+0000\n" -"Last-Translator: mbouzada \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -138,59 +138,59 @@ msgstr "novembro" msgid "December" msgstr "decembro" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Axustes" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "segundos atrás" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "hai 1 minuto" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "hai {minutes} minutos" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "Vai 1 hora" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "hai {hours} horas" - -#: js/js.js:819 msgid "today" msgstr "hoxe" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "onte" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "hai {days} días" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "último mes" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "hai {months} meses" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "meses atrás" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "último ano" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "anos atrás" @@ -378,9 +378,10 @@ msgstr "A actualización non foi satisfactoria, informe deste problema á \n" "Language-Team: Galician (http://www.transifex.com/projects/p/owncloud/language/gl/)\n" "MIME-Version: 1.0\n" @@ -129,7 +129,7 @@ msgstr "Eliminar" msgid "Rename" msgstr "Renomear" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Pendentes" @@ -161,11 +161,13 @@ msgstr "desfacer" msgid "perform delete operation" msgstr "realizar a operación de eliminación" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "Enviándose 1 ficheiro" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "ficheiros enviándose" @@ -213,21 +215,17 @@ msgstr "Tamaño" msgid "Modified" msgstr "Modificado" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 cartafol" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} cartafoles" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 ficheiro" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} ficheiros" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/gl/files_trashbin.po b/l10n/gl/files_trashbin.po index d1f2e6dd953..2a1193ea633 100644 --- a/l10n/gl/files_trashbin.po +++ b/l10n/gl/files_trashbin.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: mbouzada \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -52,21 +52,17 @@ msgstr "Nome" msgid "Deleted" msgstr "Eliminado" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 cartafol" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} cartafoles" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 ficheiro" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} ficheiros" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/gl/lib.po b/l10n/gl/lib.po index 720088a3904..0ed2450f993 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -207,50 +207,46 @@ msgid "seconds ago" msgstr "segundos atrás" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "hai 1 minuto" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "hai %d minutos" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "Vai 1 hora" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "Vai %d horas" - -#: template/functions.php:85 msgid "today" msgstr "hoxe" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "onte" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "hai %d días" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "último mes" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "Vai %d meses" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "último ano" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "anos atrás" diff --git a/l10n/he/core.po b/l10n/he/core.po index 94421da95d9..44845c5b9e7 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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:354 +#: js/js.js:355 msgid "Settings" msgstr "הגדרות" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "שניות" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "לפני דקה אחת" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "לפני {minutes} דקות" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "לפני שעה" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "לפני {hours} שעות" - -#: js/js.js:819 msgid "today" msgstr "היום" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "אתמול" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "לפני {days} ימים" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "חודש שעבר" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "לפני {months} חודשים" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "חודשים" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "שנה שעברה" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "שנים" @@ -378,9 +378,10 @@ msgstr "תהליך העדכון לא הושלם בהצלחה. נא דווח את msgid "The update was successful. Redirecting you to ownCloud now." msgstr "תהליך העדכון הסתיים בהצלחה. עכשיו מנתב אותך אל ownCloud." -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" -msgstr "איפוס הססמה של ownCloud" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" +msgstr "" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/he/files.po b/l10n/he/files.po index bdb977b5875..90b64157ff9 100644 --- a/l10n/he/files.po +++ b/l10n/he/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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -129,7 +129,7 @@ msgstr "מחיקה" msgid "Rename" msgstr "שינוי שם" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "ממתין" @@ -161,11 +161,13 @@ msgstr "ביטול" msgid "perform delete operation" msgstr "ביצוע פעולת מחיקה" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "קובץ אחד נשלח" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "קבצים בהעלאה" @@ -213,21 +215,17 @@ msgstr "גודל" msgid "Modified" msgstr "זמן שינוי" -#: js/files.js:763 -msgid "1 folder" -msgstr "תיקייה אחת" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} תיקיות" - -#: js/files.js:773 -msgid "1 file" -msgstr "קובץ אחד" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} קבצים" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/he/files_trashbin.po b/l10n/he/files_trashbin.po index 80c6181d839..b938a87bca0 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -52,21 +52,17 @@ msgstr "שם" msgid "Deleted" msgstr "נמחק" -#: js/trash.js:192 -msgid "1 folder" -msgstr "תיקייה אחת" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} תיקיות" - -#: js/trash.js:202 -msgid "1 file" -msgstr "קובץ אחד" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} קבצים" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/he/lib.po b/l10n/he/lib.po index c7bd204b178..a5297272430 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,46 @@ msgid "seconds ago" msgstr "שניות" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "לפני דקה אחת" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "לפני %d דקות" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "לפני שעה" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "לפני %d שעות" - -#: template/functions.php:85 msgid "today" msgstr "היום" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "אתמול" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "לפני %d ימים" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "חודש שעבר" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "לפני %d חודשים" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "שנה שעברה" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "שנים" diff --git a/l10n/hi/core.po b/l10n/hi/core.po index 2270abcf21e..b9bb38c3e73 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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:354 +#: js/js.js:355 msgid "Settings" msgstr "सेटिंग्स" -#: js/js.js:814 -msgid "seconds ago" -msgstr "" - #: js/js.js:815 -msgid "1 minute ago" +msgid "seconds ago" msgstr "" #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" +msgid "today" msgstr "" #: js/js.js:819 -msgid "today" +msgid "yesterday" msgstr "" #: js/js.js:820 -msgid "yesterday" -msgstr "" +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:821 -msgid "{days} days ago" +msgid "last month" msgstr "" #: js/js.js:822 -msgid "last month" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:823 -msgid "{months} months ago" -msgstr "" - -#: js/js.js:824 msgid "months ago" msgstr "" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "" @@ -378,8 +378,9 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" msgstr "" #: lostpassword/templates/email.php:2 diff --git a/l10n/hi/files.po b/l10n/hi/files.po index 3530d6c912a..0afb104096a 100644 --- a/l10n/hi/files.po +++ b/l10n/hi/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -128,7 +128,7 @@ msgstr "" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "" @@ -160,11 +160,13 @@ msgstr "" msgid "perform delete operation" msgstr "" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -212,21 +214,17 @@ msgstr "" msgid "Modified" msgstr "" -#: js/files.js:763 -msgid "1 folder" -msgstr "" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" -#: js/files.js:773 -msgid "1 file" -msgstr "" - -#: js/files.js:775 -msgid "{count} files" -msgstr "" +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/hi/files_trashbin.po b/l10n/hi/files_trashbin.po index cf42b90f128..6ebcc054149 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,17 @@ msgstr "" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" -#: js/trash.js:202 -msgid "1 file" -msgstr "" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "" +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/hi/lib.po b/l10n/hi/lib.po index 93ab01a0ec1..d2b0c7fad22 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,46 @@ msgid "seconds ago" msgstr "" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" +msgid "today" msgstr "" #: template/functions.php:84 -#, php-format -msgid "%d hours ago" +msgid "yesterday" msgstr "" #: template/functions.php:85 -msgid "today" -msgstr "" +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:86 -msgid "yesterday" +msgid "last month" msgstr "" #: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" #: 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 +#: template/functions.php:89 msgid "years ago" msgstr "" diff --git a/l10n/hr/core.po b/l10n/hr/core.po index e6bf5892d20..521c5d60347 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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,63 @@ msgstr "Studeni" msgid "December" msgstr "Prosinac" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Postavke" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "sekundi prije" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "" - -#: js/js.js:819 msgid "today" msgstr "danas" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "jučer" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "prošli mjesec" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "mjeseci" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "prošlu godinu" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "godina" @@ -377,9 +381,10 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" -msgstr "ownCloud resetiranje lozinke" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" +msgstr "" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/hr/files.po b/l10n/hr/files.po index 4ff002b38ee..44cc369c33d 100644 --- a/l10n/hr/files.po +++ b/l10n/hr/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -128,7 +128,7 @@ msgstr "Obriši" msgid "Rename" msgstr "Promjeni ime" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "U tijeku" @@ -160,11 +160,14 @@ msgstr "vrati" msgid "perform delete operation" msgstr "" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 datoteka se učitava" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "datoteke se učitavaju" @@ -212,21 +215,19 @@ msgstr "Veličina" msgid "Modified" msgstr "Zadnja promjena" -#: 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 "" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: lib/app.php:73 #, php-format diff --git a/l10n/hr/files_trashbin.po b/l10n/hr/files_trashbin.po index 0e918d9686d..76a24e0c67e 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,19 @@ msgstr "Ime" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "" - -#: js/trash.js:202 -msgid "1 file" -msgstr "" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/hr/lib.po b/l10n/hr/lib.po index c8ee9a0b1d2..c9c913ffa16 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,50 @@ msgid "seconds ago" msgstr "sekundi prije" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: 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 "danas" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "jučer" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "prošli mjesec" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "prošlu godinu" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "godina" diff --git a/l10n/hu_HU/core.po b/l10n/hu_HU/core.po index 85697e39546..5348acb3a5d 100644 --- a/l10n/hu_HU/core.po +++ b/l10n/hu_HU/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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -139,59 +139,59 @@ msgstr "november" msgid "December" msgstr "december" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Beállítások" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "pár másodperce" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 perce" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes} perce" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1 órája" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{hours} órája" - -#: js/js.js:819 msgid "today" msgstr "ma" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "tegnap" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{days} napja" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "múlt hónapban" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{months} hónapja" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "több hónapja" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "tavaly" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "több éve" @@ -379,9 +379,10 @@ msgstr "A frissítés nem sikerült. Kérem értesítse erről a problémáról 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." -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" -msgstr "ownCloud jelszó-visszaállítás" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" +msgstr "" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/hu_HU/files.po b/l10n/hu_HU/files.po index f1b14131054..241024a5af1 100644 --- a/l10n/hu_HU/files.po +++ b/l10n/hu_HU/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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -129,7 +129,7 @@ msgstr "Törlés" msgid "Rename" msgstr "Átnevezés" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Folyamatban" @@ -161,11 +161,13 @@ msgstr "visszavonás" msgid "perform delete operation" msgstr "a törlés végrehajtása" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 fájl töltődik föl" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "fájl töltődik föl" @@ -213,21 +215,17 @@ msgstr "Méret" msgid "Modified" msgstr "Módosítva" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 mappa" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} mappa" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 fájl" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} fájl" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/hu_HU/files_trashbin.po b/l10n/hu_HU/files_trashbin.po index 3c285437d37..4e5d7207c9f 100644 --- a/l10n/hu_HU/files_trashbin.po +++ b/l10n/hu_HU/files_trashbin.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:30+0000\n" -"Last-Translator: Laszlo Tornoci \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -52,21 +52,17 @@ msgstr "Név" msgid "Deleted" msgstr "Törölve" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 mappa" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} mappa" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 fájl" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} fájl" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/hu_HU/lib.po b/l10n/hu_HU/lib.po index 7203fc91f57..d517cddd328 100644 --- a/l10n/hu_HU/lib.po +++ b/l10n/hu_HU/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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -208,50 +208,46 @@ msgid "seconds ago" msgstr "pár másodperce" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 perce" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d perce" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "1 órája" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "%d órája" - -#: template/functions.php:85 msgid "today" msgstr "ma" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "tegnap" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d napja" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "múlt hónapban" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "%d hónapja" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "tavaly" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "több éve" diff --git a/l10n/hy/core.po b/l10n/hy/core.po index 06cfc86021f..0b7d7fdbaac 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -137,59 +137,59 @@ msgstr "Նոյեմբեր" msgid "December" msgstr "Դեկտեմբեր" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "" -#: js/js.js:814 -msgid "seconds ago" -msgstr "" - #: js/js.js:815 -msgid "1 minute ago" +msgid "seconds ago" msgstr "" #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" +msgid "today" msgstr "" #: js/js.js:819 -msgid "today" +msgid "yesterday" msgstr "" #: js/js.js:820 -msgid "yesterday" -msgstr "" +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:821 -msgid "{days} days ago" +msgid "last month" msgstr "" #: js/js.js:822 -msgid "last month" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:823 -msgid "{months} months ago" -msgstr "" - -#: js/js.js:824 msgid "months ago" msgstr "" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "" @@ -377,8 +377,9 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" msgstr "" #: lostpassword/templates/email.php:2 diff --git a/l10n/hy/files.po b/l10n/hy/files.po index 78f3d8894a7..2849dd25426 100644 --- a/l10n/hy/files.po +++ b/l10n/hy/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -128,7 +128,7 @@ msgstr "Ջնջել" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "" @@ -160,11 +160,13 @@ msgstr "" msgid "perform delete operation" msgstr "" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -212,21 +214,17 @@ msgstr "" msgid "Modified" msgstr "" -#: js/files.js:763 -msgid "1 folder" -msgstr "" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" -#: js/files.js:773 -msgid "1 file" -msgstr "" - -#: js/files.js:775 -msgid "{count} files" -msgstr "" +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/hy/files_trashbin.po b/l10n/hy/files_trashbin.po index f04b85a1891..b1c3d308429 100644 --- a/l10n/hy/files_trashbin.po +++ b/l10n/hy/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-30 01:55-0400\n" -"PO-Revision-Date: 2013-07-30 05:56+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,17 @@ msgstr "" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" -#: js/trash.js:202 -msgid "1 file" -msgstr "" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "" +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/hy/lib.po b/l10n/hy/lib.po index 2ebe68122dc..a5d0fdb5e62 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,46 @@ msgid "seconds ago" msgstr "" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" +msgid "today" msgstr "" #: template/functions.php:84 -#, php-format -msgid "%d hours ago" +msgid "yesterday" msgstr "" #: template/functions.php:85 -msgid "today" -msgstr "" +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:86 -msgid "yesterday" +msgid "last month" msgstr "" #: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" #: 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 +#: template/functions.php:89 msgid "years ago" msgstr "" diff --git a/l10n/ia/core.po b/l10n/ia/core.po index 15878e30bc8..cb317dbb059 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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:354 +#: js/js.js:355 msgid "Settings" msgstr "Configurationes" -#: js/js.js:814 -msgid "seconds ago" -msgstr "" - #: js/js.js:815 -msgid "1 minute ago" +msgid "seconds ago" msgstr "" #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" +msgid "today" msgstr "" #: js/js.js:819 -msgid "today" +msgid "yesterday" msgstr "" #: js/js.js:820 -msgid "yesterday" -msgstr "" +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:821 -msgid "{days} days ago" +msgid "last month" msgstr "" #: js/js.js:822 -msgid "last month" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:823 -msgid "{months} months ago" -msgstr "" - -#: js/js.js:824 msgid "months ago" msgstr "" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "" @@ -377,9 +377,10 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" -msgstr "Reinitialisation del contrasigno de ownCLoud" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" +msgstr "" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/ia/files.po b/l10n/ia/files.po index 0a41eed86a1..1d30b72298d 100644 --- a/l10n/ia/files.po +++ b/l10n/ia/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -128,7 +128,7 @@ msgstr "Deler" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "" @@ -160,11 +160,13 @@ msgstr "" msgid "perform delete operation" msgstr "" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -212,21 +214,17 @@ msgstr "Dimension" msgid "Modified" msgstr "Modificate" -#: 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 "" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/ia/files_trashbin.po b/l10n/ia/files_trashbin.po index 32466e7c955..0ac362ef502 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,17 @@ msgstr "Nomine" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "" - -#: js/trash.js:202 -msgid "1 file" -msgstr "" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/ia/lib.po b/l10n/ia/lib.po index 131f9be37a2..c60af2f1aa1 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,46 @@ msgid "seconds ago" msgstr "" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" +msgid "today" msgstr "" #: template/functions.php:84 -#, php-format -msgid "%d hours ago" +msgid "yesterday" msgstr "" #: template/functions.php:85 -msgid "today" -msgstr "" +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:86 -msgid "yesterday" +msgid "last month" msgstr "" #: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" #: 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 +#: template/functions.php:89 msgid "years ago" msgstr "" diff --git a/l10n/id/core.po b/l10n/id/core.po index 3f5ac492f2f..b3db7059779 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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,55 @@ msgstr "November" msgid "December" msgstr "Desember" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Setelan" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "beberapa detik yang lalu" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 menit yang lalu" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes} menit yang lalu" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1 jam yang lalu" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{hours} jam yang lalu" - -#: js/js.js:819 msgid "today" msgstr "hari ini" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "kemarin" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{days} hari yang lalu" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "bulan kemarin" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{months} bulan yang lalu" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "beberapa bulan lalu" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "tahun kemarin" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "beberapa tahun lalu" @@ -377,9 +373,10 @@ msgstr "Pembaruan gagal. Silakan laporkan masalah ini ke \n" "Language-Team: Indonesian (http://www.transifex.com/projects/p/owncloud/language/id/)\n" "MIME-Version: 1.0\n" @@ -128,7 +128,7 @@ msgstr "Hapus" msgid "Rename" msgstr "Ubah nama" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Menunggu" @@ -160,11 +160,12 @@ msgstr "urungkan" msgid "perform delete operation" msgstr "Lakukan operasi penghapusan" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 berkas diunggah" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "berkas diunggah" @@ -212,21 +213,15 @@ msgstr "Ukuran" msgid "Modified" msgstr "Dimodifikasi" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 folder" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} folder" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 berkas" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} berkas" +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/app.php:73 #, php-format diff --git a/l10n/id/files_trashbin.po b/l10n/id/files_trashbin.po index 81e0acc646a..5f5941b22ad 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,15 @@ msgstr "Nama" msgid "Deleted" msgstr "Dihapus" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 folder" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} folder" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 berkas" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} berkas" +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/id/lib.po b/l10n/id/lib.po index 0bcad292387..e1a8dc80a69 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,42 @@ msgid "seconds ago" msgstr "beberapa detik yang lalu" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 menit yang lalu" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d menit yang lalu" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "1 jam yang lalu" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "%d jam yang lalu" - -#: template/functions.php:85 msgid "today" msgstr "hari ini" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "kemarin" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d hari yang lalu" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "bulan kemarin" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "%d bulan yang lalu" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "tahun kemarin" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "beberapa tahun lalu" diff --git a/l10n/is/core.po b/l10n/is/core.po index 6fea09381a7..478150b094b 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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:354 +#: js/js.js:355 msgid "Settings" msgstr "Stillingar" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "sek." -#: js/js.js:815 -msgid "1 minute ago" -msgstr "Fyrir 1 mínútu" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes} min síðan" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "Fyrir 1 klst." +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "fyrir {hours} klst." - -#: js/js.js:819 msgid "today" msgstr "í dag" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "í gær" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{days} dagar síðan" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "síðasta mánuði" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "fyrir {months} mánuðum" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "mánuðir síðan" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "síðasta ári" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "einhverjum árum" @@ -378,9 +378,10 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "Uppfærslan heppnaðist. Beini þér til ownCloud nú." -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" -msgstr "endursetja ownCloud lykilorð" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" +msgstr "" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/is/files.po b/l10n/is/files.po index c29690db975..41f6c945b1b 100644 --- a/l10n/is/files.po +++ b/l10n/is/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -128,7 +128,7 @@ msgstr "Eyða" msgid "Rename" msgstr "Endurskýra" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Bíður" @@ -160,11 +160,13 @@ msgstr "afturkalla" msgid "perform delete operation" msgstr "" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 skrá innsend" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -212,21 +214,17 @@ msgstr "Stærð" msgid "Modified" msgstr "Breytt" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 mappa" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} möppur" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 skrá" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} skrár" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/is/files_trashbin.po b/l10n/is/files_trashbin.po index 814df955bf4..c28f1236b66 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,17 @@ msgstr "Nafn" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 mappa" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} möppur" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 skrá" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} skrár" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/is/lib.po b/l10n/is/lib.po index 4c909fbf99b..5926c37fa9f 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,46 @@ msgid "seconds ago" msgstr "sek." #: template/functions.php:81 -msgid "1 minute ago" -msgstr "Fyrir 1 mínútu" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "fyrir %d mínútum" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "Fyrir 1 klst." - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "fyrir %d klst." - -#: template/functions.php:85 msgid "today" msgstr "í dag" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "í gær" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "fyrir %d dögum" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "síðasta mánuði" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "fyrir %d mánuðum" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "síðasta ári" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "einhverjum árum" diff --git a/l10n/it/core.po b/l10n/it/core.po index 349426a5809..84687acd093 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -140,59 +140,59 @@ msgstr "Novembre" msgid "December" msgstr "Dicembre" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Impostazioni" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "secondi fa" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "Un minuto fa" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes} minuti fa" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1 ora fa" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{hours} ore fa" - -#: js/js.js:819 msgid "today" msgstr "oggi" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "ieri" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{days} giorni fa" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "mese scorso" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{months} mesi fa" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "mesi fa" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "anno scorso" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "anni fa" @@ -380,9 +380,10 @@ msgstr "L'aggiornamento non è riuscito. Segnala il problema alla \n" "Language-Team: Italian (http://www.transifex.com/projects/p/owncloud/language/it/)\n" "MIME-Version: 1.0\n" @@ -130,7 +130,7 @@ msgstr "Elimina" msgid "Rename" msgstr "Rinomina" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "In corso" @@ -162,11 +162,13 @@ msgstr "annulla" msgid "perform delete operation" msgstr "esegui l'operazione di eliminazione" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 file in fase di caricamento" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "caricamento file" @@ -214,21 +216,17 @@ msgstr "Dimensione" msgid "Modified" msgstr "Modificato" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 cartella" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} cartelle" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 file" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} file" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/it/files_trashbin.po b/l10n/it/files_trashbin.po index 0d65d206eff..188d8e7e9c0 100644 --- a/l10n/it/files_trashbin.po +++ b/l10n/it/files_trashbin.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: Vincenzo Reale \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -52,21 +52,17 @@ msgstr "Nome" msgid "Deleted" msgstr "Eliminati" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 cartella" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} cartelle" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 file" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} file" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/it/lib.po b/l10n/it/lib.po index 343d55a8032..506821d1d77 100644 --- a/l10n/it/lib.po +++ b/l10n/it/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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -208,50 +208,46 @@ msgid "seconds ago" msgstr "secondi fa" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "Un minuto fa" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d minuti fa" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "1 ora fa" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "%d ore fa" - -#: template/functions.php:85 msgid "today" msgstr "oggi" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "ieri" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d giorni fa" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "mese scorso" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "%d mesi fa" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "anno scorso" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "anni fa" diff --git a/l10n/ja_JP/core.po b/l10n/ja_JP/core.po index 143f10d687a..07c9dd2169d 100644 --- a/l10n/ja_JP/core.po +++ b/l10n/ja_JP/core.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-08-13 09:11-0400\n" -"PO-Revision-Date: 2013-08-13 04:30+0000\n" -"Last-Translator: Daisuke Deguchi \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -140,59 +140,55 @@ msgstr "11月" msgid "December" msgstr "12月" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "設定" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "数秒前" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 分前" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes} 分前" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1 時間前" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{hours} 時間前" - -#: js/js.js:819 msgid "today" msgstr "今日" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "昨日" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{days} 日前" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "一月前" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{months} 月前" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "月前" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "一年前" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "年前" @@ -380,9 +376,10 @@ msgstr "更新に成功しました。この問題を \n" "Language-Team: Japanese (Japan) (http://www.transifex.com/projects/p/owncloud/language/ja_JP/)\n" "MIME-Version: 1.0\n" @@ -132,7 +132,7 @@ msgstr "削除" msgid "Rename" msgstr "名前の変更" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "中断" @@ -164,11 +164,12 @@ msgstr "元に戻す" msgid "perform delete operation" msgstr "削除を実行" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "ファイルを1つアップロード中" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "ファイルをアップロード中" @@ -216,21 +217,15 @@ msgstr "サイズ" msgid "Modified" msgstr "変更" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 フォルダ" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} フォルダ" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 ファイル" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} ファイル" +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/app.php:73 #, php-format diff --git a/l10n/ja_JP/files_trashbin.po b/l10n/ja_JP/files_trashbin.po index de488024e0c..ca33f876289 100644 --- a/l10n/ja_JP/files_trashbin.po +++ b/l10n/ja_JP/files_trashbin.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: tt yn \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -52,21 +52,15 @@ msgstr "名前" msgid "Deleted" msgstr "削除済み" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 フォルダ" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} フォルダ" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 ファイル" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} ファイル" +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/ja_JP/lib.po b/l10n/ja_JP/lib.po index c7e5dfa573d..b0374271597 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -207,50 +207,42 @@ msgid "seconds ago" msgstr "数秒前" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 分前" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d 分前" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "1 時間前" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "%d 時間前" - -#: template/functions.php:85 msgid "today" msgstr "今日" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "昨日" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d 日前" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "一月前" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "%d 分前" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "一年前" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "年前" diff --git a/l10n/ka/core.po b/l10n/ka/core.po index 2686e55fb62..a553cde32b6 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -137,59 +137,55 @@ msgstr "" msgid "December" msgstr "" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "წამის წინ" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 წუთის წინ" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1 საათის წინ" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "" - -#: js/js.js:819 msgid "today" msgstr "დღეს" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "გუშინ" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" + #: js/js.js:821 -msgid "{days} days ago" +msgid "last month" msgstr "" #: js/js.js:822 -msgid "last month" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" #: js/js.js:823 -msgid "{months} months ago" -msgstr "" - -#: js/js.js:824 msgid "months ago" msgstr "" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "" @@ -377,8 +373,9 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" msgstr "" #: lostpassword/templates/email.php:2 diff --git a/l10n/ka/files.po b/l10n/ka/files.po index bae4e7aefa5..dc14167acc5 100644 --- a/l10n/ka/files.po +++ b/l10n/ka/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -128,7 +128,7 @@ msgstr "" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "" @@ -160,11 +160,12 @@ msgstr "" msgid "perform delete operation" msgstr "" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -212,21 +213,15 @@ msgstr "" msgid "Modified" msgstr "" -#: js/files.js:763 -msgid "1 folder" -msgstr "" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/files.js:773 -msgid "1 file" -msgstr "" - -#: js/files.js:775 -msgid "{count} files" -msgstr "" +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/app.php:73 #, php-format diff --git a/l10n/ka/files_trashbin.po b/l10n/ka/files_trashbin.po index 90098bc62cc..36d83d1478b 100644 --- a/l10n/ka/files_trashbin.po +++ b/l10n/ka/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-30 01:55-0400\n" -"PO-Revision-Date: 2013-07-30 05:56+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,15 @@ msgstr "" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/trash.js:202 -msgid "1 file" -msgstr "" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "" +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/ka/lib.po b/l10n/ka/lib.po index b16a5efbd16..32eb5dd2cd0 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,42 @@ msgid "seconds ago" msgstr "წამის წინ" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 წუთის წინ" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d წუთის წინ" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "1 საათის წინ" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "" - -#: template/functions.php:85 msgid "today" msgstr "დღეს" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "გუშინ" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d დღის წინ" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "" diff --git a/l10n/ka_GE/core.po b/l10n/ka_GE/core.po index e901973de4b..1da987a21ed 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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,55 @@ msgstr "ნოემბერი" msgid "December" msgstr "დეკემბერი" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "პარამეტრები" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "წამის წინ" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 წუთის წინ" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes} წუთის წინ" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1 საათის წინ" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{hours} საათის წინ" - -#: js/js.js:819 msgid "today" msgstr "დღეს" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "გუშინ" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{days} დღის წინ" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "გასულ თვეში" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{months} თვის წინ" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "თვის წინ" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "ბოლო წელს" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "წლის წინ" @@ -377,9 +373,10 @@ msgstr "განახლება ვერ განხორციელდ msgid "The update was successful. Redirecting you to ownCloud now." msgstr "განახლება ვერ განხორციელდა. გადამისამართება თქვენს ownCloud–ზე." -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" -msgstr "ownCloud პაროლის შეცვლა" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" +msgstr "" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/ka_GE/files.po b/l10n/ka_GE/files.po index 12252138142..f9ce44f87b2 100644 --- a/l10n/ka_GE/files.po +++ b/l10n/ka_GE/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -128,7 +128,7 @@ msgstr "წაშლა" msgid "Rename" msgstr "გადარქმევა" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "მოცდის რეჟიმში" @@ -160,11 +160,12 @@ msgstr "დაბრუნება" msgid "perform delete operation" msgstr "მიმდინარეობს წაშლის ოპერაცია" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 ფაილის ატვირთვა" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "ფაილები იტვირთება" @@ -212,21 +213,15 @@ msgstr "ზომა" msgid "Modified" msgstr "შეცვლილია" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 საქაღალდე" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} საქაღალდე" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 ფაილი" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} ფაილი" +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/app.php:73 #, php-format diff --git a/l10n/ka_GE/files_trashbin.po b/l10n/ka_GE/files_trashbin.po index e41aedc0bc7..b41813f0a6d 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,15 @@ msgstr "სახელი" msgid "Deleted" msgstr "წაშლილი" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 საქაღალდე" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} საქაღალდე" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 ფაილი" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} ფაილი" +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/ka_GE/lib.po b/l10n/ka_GE/lib.po index a7b9f8ba3ca..9546faa3400 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,42 @@ msgid "seconds ago" msgstr "წამის წინ" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 წუთის წინ" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d წუთის წინ" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "1 საათის წინ" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "%d საათის წინ" - -#: template/functions.php:85 msgid "today" msgstr "დღეს" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "გუშინ" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d დღის წინ" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "გასულ თვეში" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "%d თვის წინ" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "ბოლო წელს" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "წლის წინ" diff --git a/l10n/kn/core.po b/l10n/kn/core.po index 234999f8973..a6e47dc7edd 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -137,59 +137,55 @@ msgstr "" msgid "December" msgstr "" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "" -#: js/js.js:814 -msgid "seconds ago" -msgstr "" - #: js/js.js:815 -msgid "1 minute ago" +msgid "seconds ago" msgstr "" #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: js/js.js:818 -msgid "{hours} hours ago" +msgid "today" msgstr "" #: js/js.js:819 -msgid "today" +msgid "yesterday" msgstr "" #: js/js.js:820 -msgid "yesterday" -msgstr "" +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" #: js/js.js:821 -msgid "{days} days ago" +msgid "last month" msgstr "" #: js/js.js:822 -msgid "last month" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" #: js/js.js:823 -msgid "{months} months ago" -msgstr "" - -#: js/js.js:824 msgid "months ago" msgstr "" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "" @@ -377,8 +373,9 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" msgstr "" #: lostpassword/templates/email.php:2 diff --git a/l10n/kn/files.po b/l10n/kn/files.po index 83638dc16fd..f0bd3f4a111 100644 --- a/l10n/kn/files.po +++ b/l10n/kn/files.po @@ -7,8 +7,8 @@ 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" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -120,7 +120,7 @@ msgstr "" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:93 templates/index.php:94 +#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 msgid "Delete" msgstr "" @@ -128,7 +128,7 @@ msgstr "" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "" @@ -160,11 +160,12 @@ msgstr "" msgid "perform delete operation" msgstr "" -#: js/filelist.js:457 -msgid "1 file uploading" -msgstr "" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" -#: js/filelist.js:460 js/filelist.js:518 +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -200,33 +201,27 @@ msgstr "" msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:69 +#: js/files.js:744 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:745 templates/index.php:80 +#: js/files.js:745 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:746 templates/index.php:82 +#: js/files.js:746 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:763 -msgid "1 folder" -msgstr "" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/files.js:765 -msgid "{count} folders" -msgstr "" - -#: js/files.js:773 -msgid "1 file" -msgstr "" - -#: js/files.js:775 -msgid "{count} files" -msgstr "" +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/app.php:73 #, php-format @@ -285,45 +280,45 @@ msgstr "" msgid "From link" msgstr "" -#: templates/index.php:42 +#: templates/index.php:41 msgid "Deleted files" msgstr "" -#: templates/index.php:48 +#: templates/index.php:46 msgid "Cancel upload" msgstr "" -#: templates/index.php:54 +#: templates/index.php:52 msgid "You don’t have write permissions here." msgstr "" -#: templates/index.php:61 +#: templates/index.php:59 msgid "Nothing in here. Upload something!" msgstr "" -#: templates/index.php:75 +#: templates/index.php:73 msgid "Download" msgstr "" -#: templates/index.php:87 templates/index.php:88 +#: templates/index.php:85 templates/index.php:86 msgid "Unshare" msgstr "" -#: templates/index.php:107 +#: templates/index.php:105 msgid "Upload too large" msgstr "" -#: templates/index.php:109 +#: templates/index.php:107 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "" -#: templates/index.php:114 +#: templates/index.php:112 msgid "Files are being scanned, please wait." msgstr "" -#: templates/index.php:117 +#: templates/index.php:115 msgid "Current scanning" msgstr "" diff --git a/l10n/kn/files_trashbin.po b/l10n/kn/files_trashbin.po index 0f12a8c380b..4a8a4c3ae76 100644 --- a/l10n/kn/files_trashbin.po +++ b/l10n/kn/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-30 01:55-0400\n" -"PO-Revision-Date: 2013-07-30 05:56+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,15 @@ msgstr "" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/trash.js:202 -msgid "1 file" -msgstr "" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "" +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/kn/lib.po b/l10n/kn/lib.po index a588c33d4d3..6e1f85cdd10 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,42 @@ msgid "seconds ago" msgstr "" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: template/functions.php:83 -msgid "1 hour ago" +msgid "today" msgstr "" #: template/functions.php:84 -#, php-format -msgid "%d hours ago" +msgid "yesterday" msgstr "" #: template/functions.php:85 -msgid "today" -msgstr "" +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" #: template/functions.php:86 -msgid "yesterday" +msgid "last month" msgstr "" #: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" #: 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 +#: template/functions.php:89 msgid "years ago" msgstr "" diff --git a/l10n/ko/core.po b/l10n/ko/core.po index 415eea4475b..f8be8d34af6 100644 --- a/l10n/ko/core.po +++ b/l10n/ko/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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -139,59 +139,55 @@ msgstr "11월" msgid "December" msgstr "12월" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "설정" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "초 전" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1분 전" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes}분 전" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1시간 전" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{hours}시간 전" - -#: js/js.js:819 msgid "today" msgstr "오늘" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "어제" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{days}일 전" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "지난 달" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{months}개월 전" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "개월 전" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "작년" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "년 전" @@ -379,9 +375,10 @@ msgstr "업데이트가 실패하였습니다. 이 문제를 \n" "Language-Team: Korean (http://www.transifex.com/projects/p/owncloud/language/ko/)\n" "MIME-Version: 1.0\n" @@ -130,7 +130,7 @@ msgstr "삭제" msgid "Rename" msgstr "이름 바꾸기" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "대기 중" @@ -162,11 +162,12 @@ msgstr "되돌리기" msgid "perform delete operation" msgstr "삭제 작업중" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "파일 1개 업로드 중" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "파일 업로드중" @@ -214,21 +215,15 @@ msgstr "크기" msgid "Modified" msgstr "수정됨" -#: js/files.js:763 -msgid "1 folder" -msgstr "폴더 1개" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/files.js:765 -msgid "{count} folders" -msgstr "폴더 {count}개" - -#: js/files.js:773 -msgid "1 file" -msgstr "파일 1개" - -#: js/files.js:775 -msgid "{count} files" -msgstr "파일 {count}개" +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/app.php:73 #, php-format diff --git a/l10n/ko/files_trashbin.po b/l10n/ko/files_trashbin.po index 3588a2c90b6..3e48f534a18 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,15 @@ msgstr "이름" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "폴더 1개" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/trash.js:194 -msgid "{count} folders" -msgstr "폴더 {count}개" - -#: js/trash.js:202 -msgid "1 file" -msgstr "파일 1개" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "파일 {count}개" +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/ko/lib.po b/l10n/ko/lib.po index 278bf97ba19..7b58ff4c090 100644 --- a/l10n/ko/lib.po +++ b/l10n/ko/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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -207,50 +207,42 @@ msgid "seconds ago" msgstr "초 전" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1분 전" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d분 전" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "1시간 전" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "%d시간 전" - -#: template/functions.php:85 msgid "today" msgstr "오늘" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "어제" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d일 전" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "지난 달" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "%d개월 전" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "작년" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "년 전" diff --git a/l10n/ku_IQ/core.po b/l10n/ku_IQ/core.po index 913a671cfbe..bb8c2a9f710 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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:354 +#: js/js.js:355 msgid "Settings" msgstr "ده‌ستكاری" -#: js/js.js:814 -msgid "seconds ago" -msgstr "" - #: js/js.js:815 -msgid "1 minute ago" +msgid "seconds ago" msgstr "" #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" +msgid "today" msgstr "" #: js/js.js:819 -msgid "today" +msgid "yesterday" msgstr "" #: js/js.js:820 -msgid "yesterday" -msgstr "" +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:821 -msgid "{days} days ago" +msgid "last month" msgstr "" #: js/js.js:822 -msgid "last month" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:823 -msgid "{months} months ago" -msgstr "" - -#: js/js.js:824 msgid "months ago" msgstr "" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "" @@ -377,8 +377,9 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" msgstr "" #: lostpassword/templates/email.php:2 diff --git a/l10n/ku_IQ/files.po b/l10n/ku_IQ/files.po index 571c319066a..fe37c0ff65f 100644 --- a/l10n/ku_IQ/files.po +++ b/l10n/ku_IQ/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -128,7 +128,7 @@ msgstr "" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "" @@ -160,11 +160,13 @@ msgstr "" msgid "perform delete operation" msgstr "" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -212,21 +214,17 @@ msgstr "" msgid "Modified" msgstr "" -#: js/files.js:763 -msgid "1 folder" -msgstr "" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" -#: js/files.js:773 -msgid "1 file" -msgstr "" - -#: js/files.js:775 -msgid "{count} files" -msgstr "" +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/ku_IQ/files_trashbin.po b/l10n/ku_IQ/files_trashbin.po index 214868ccf47..1addb81ba48 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,17 @@ msgstr "ناو" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" -#: js/trash.js:202 -msgid "1 file" -msgstr "" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "" +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/ku_IQ/lib.po b/l10n/ku_IQ/lib.po index 495e1fd6a7a..4ae5859b98a 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,46 @@ msgid "seconds ago" msgstr "" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" +msgid "today" msgstr "" #: template/functions.php:84 -#, php-format -msgid "%d hours ago" +msgid "yesterday" msgstr "" #: template/functions.php:85 -msgid "today" -msgstr "" +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:86 -msgid "yesterday" +msgid "last month" msgstr "" #: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" #: 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 +#: template/functions.php:89 msgid "years ago" msgstr "" diff --git a/l10n/lb/core.po b/l10n/lb/core.po index bd6ae2ec478..8af84cd24e0 100644 --- a/l10n/lb/core.po +++ b/l10n/lb/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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -138,59 +138,59 @@ msgstr "November" msgid "December" msgstr "Dezember" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Astellungen" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "Sekonnen hir" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 Minutt hir" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "virun {minutes} Minutten" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "virun 1 Stonn" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "virun {hours} Stonnen" - -#: js/js.js:819 msgid "today" msgstr "haut" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "gëschter" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "virun {days} Deeg" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "leschte Mount" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "virun {months} Méint" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "Méint hir" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "Lescht Joer" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "Joren hir" @@ -378,9 +378,10 @@ msgstr "Den Update war net erfollegräich. Mell dëse Problem w.e.gl der\n" "Language-Team: Luxembourgish (http://www.transifex.com/projects/p/owncloud/language/lb/)\n" "MIME-Version: 1.0\n" @@ -128,7 +128,7 @@ msgstr "Läschen" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "" @@ -160,11 +160,13 @@ msgstr "réckgängeg man" msgid "perform delete operation" msgstr "" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -212,21 +214,17 @@ msgstr "Gréisst" msgid "Modified" msgstr "Geännert" -#: 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 "" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/lb/files_trashbin.po b/l10n/lb/files_trashbin.po index 6fe10d536f2..6e89845dc20 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,17 @@ msgstr "Numm" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "" - -#: js/trash.js:202 -msgid "1 file" -msgstr "" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/lb/lib.po b/l10n/lb/lib.po index a5823a1cfec..1e270aee7ae 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -207,50 +207,46 @@ msgid "seconds ago" msgstr "Sekonnen hir" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 Minutt hir" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "vrun 1 Stonn" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "" - -#: template/functions.php:85 msgid "today" msgstr "haut" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "gëschter" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "Läschte Mount" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "Läscht Joer" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "Joren hier" diff --git a/l10n/lt_LT/core.po b/l10n/lt_LT/core.po index 38880c322a8..40770b80fd5 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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,63 @@ msgstr "Lapkritis" msgid "December" msgstr "Gruodis" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Nustatymai" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "prieš sekundę" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "Prieš 1 minutę" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "Prieš {count} minutes" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "prieš 1 valandą" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "prieš {hours} valandas" - -#: js/js.js:819 msgid "today" msgstr "šiandien" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "vakar" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "Prieš {days} dienas" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "praeitą mėnesį" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "prieš {months} mėnesių" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "prieš mėnesį" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "praeitais metais" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "prieš metus" @@ -379,9 +383,10 @@ msgstr "Atnaujinimas buvo nesėkmingas. PApie tai prašome pranešti the \n" "Language-Team: Lithuanian (Lithuania) (http://www.transifex.com/projects/p/owncloud/language/lt_LT/)\n" "MIME-Version: 1.0\n" @@ -129,7 +129,7 @@ msgstr "Ištrinti" msgid "Rename" msgstr "Pervadinti" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Laukiantis" @@ -161,11 +161,14 @@ msgstr "anuliuoti" msgid "perform delete operation" msgstr "ištrinti" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "įkeliamas 1 failas" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "įkeliami failai" @@ -213,21 +216,19 @@ msgstr "Dydis" msgid "Modified" msgstr "Pakeista" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 aplankalas" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} aplankalai" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 failas" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} failai" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: lib/app.php:73 #, php-format diff --git a/l10n/lt_LT/files_trashbin.po b/l10n/lt_LT/files_trashbin.po index 65bd9c97b1e..febfc2f1b01 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -52,21 +52,19 @@ msgstr "Pavadinimas" msgid "Deleted" msgstr "Ištrinti" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 aplankalas" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} aplankalai" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 failas" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} failai" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/lt_LT/lib.po b/l10n/lt_LT/lib.po index 4eee5422b23..14bb5eb6343 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -207,50 +207,50 @@ msgid "seconds ago" msgstr "prieš sekundę" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "Prieš 1 minutę" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "prieš %d minučių" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "prieš 1 valandą" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "prieš %d valandų" - -#: template/functions.php:85 msgid "today" msgstr "šiandien" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "vakar" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "prieš %d dienų" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "praeitą mėnesį" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "prieš %d mėnesių" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "praeitais metais" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "prieš metus" diff --git a/l10n/lv/core.po b/l10n/lv/core.po index b8f0f495883..c4920a2fa3a 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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,63 @@ msgstr "Novembris" msgid "December" msgstr "Decembris" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Iestatījumi" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "sekundes atpakaļ" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "pirms 1 minūtes" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "pirms {minutes} minūtēm" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "pirms 1 stundas" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "pirms {hours} stundām" - -#: js/js.js:819 msgid "today" msgstr "šodien" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "vakar" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "pirms {days} dienām" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "pagājušajā mēnesī" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "pirms {months} mēnešiem" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "mēnešus atpakaļ" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "gājušajā gadā" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "gadus atpakaļ" @@ -377,9 +381,10 @@ msgstr "Atjaunināšana beidzās nesekmīgi. Lūdzu, ziņojiet par šo problēmu 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." -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" -msgstr "ownCloud paroles maiņa" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" +msgstr "" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/lv/files.po b/l10n/lv/files.po index 1fa692dd981..c327fc7be6c 100644 --- a/l10n/lv/files.po +++ b/l10n/lv/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -128,7 +128,7 @@ msgstr "Dzēst" msgid "Rename" msgstr "Pārsaukt" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Gaida savu kārtu" @@ -160,11 +160,14 @@ msgstr "atsaukt" msgid "perform delete operation" msgstr "veikt dzēšanas darbību" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "Augšupielādē 1 datni" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -212,21 +215,19 @@ msgstr "Izmērs" msgid "Modified" msgstr "Mainīts" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 mape" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} mapes" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 datne" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} datnes" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: lib/app.php:73 #, php-format diff --git a/l10n/lv/files_trashbin.po b/l10n/lv/files_trashbin.po index b6e95e0a2ca..0bee8becab5 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,19 @@ msgstr "Nosaukums" msgid "Deleted" msgstr "Dzēsts" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 mape" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} mapes" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 datne" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} datnes" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/lv/lib.po b/l10n/lv/lib.po index 0574a1bf045..94dcd5afe01 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,50 @@ msgid "seconds ago" msgstr "sekundes atpakaļ" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "pirms 1 minūtes" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "pirms %d minūtēm" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "pirms 1 stundas" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "pirms %d stundām" - -#: template/functions.php:85 msgid "today" msgstr "šodien" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "vakar" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "pirms %d dienām" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "pagājušajā mēnesī" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "pirms %d mēnešiem" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "gājušajā gadā" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "gadus atpakaļ" diff --git a/l10n/mk/core.po b/l10n/mk/core.po index 57e187e43f9..b99d5913b45 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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:354 +#: js/js.js:355 msgid "Settings" msgstr "Подесувања" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "пред секунди" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "пред 1 минута" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "пред {minutes} минути" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "пред 1 час" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "пред {hours} часови" - -#: js/js.js:819 msgid "today" msgstr "денеска" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "вчера" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "пред {days} денови" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "минатиот месец" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "пред {months} месеци" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "пред месеци" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "минатата година" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "пред години" @@ -377,9 +377,10 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" -msgstr "ресетирање на лозинка за ownCloud" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" +msgstr "" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/mk/files.po b/l10n/mk/files.po index 8d0f82ab972..117b21ccfe4 100644 --- a/l10n/mk/files.po +++ b/l10n/mk/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -128,7 +128,7 @@ msgstr "Избриши" msgid "Rename" msgstr "Преименувај" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Чека" @@ -160,11 +160,13 @@ msgstr "врати" msgid "perform delete operation" msgstr "" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 датотека се подига" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -212,21 +214,17 @@ msgstr "Големина" msgid "Modified" msgstr "Променето" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 папка" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} папки" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 датотека" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} датотеки" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/mk/files_trashbin.po b/l10n/mk/files_trashbin.po index 9c165cf0406..b92b21c1c47 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,17 @@ msgstr "Име" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 папка" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} папки" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 датотека" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} датотеки" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/mk/lib.po b/l10n/mk/lib.po index c0f63682991..a8128ea681f 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,46 @@ msgid "seconds ago" msgstr "пред секунди" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "пред 1 минута" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "пред %d минути" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "пред 1 час" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "пред %d часови" - -#: template/functions.php:85 msgid "today" msgstr "денеска" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "вчера" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "пред %d денови" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "минатиот месец" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "пред %d месеци" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "минатата година" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "пред години" diff --git a/l10n/ml_IN/core.po b/l10n/ml_IN/core.po index bdf5f5b96e4..9cf341368a1 100644 --- a/l10n/ml_IN/core.po +++ b/l10n/ml_IN/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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -137,59 +137,59 @@ msgstr "" msgid "December" msgstr "" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "" -#: js/js.js:814 -msgid "seconds ago" -msgstr "" - #: js/js.js:815 -msgid "1 minute ago" +msgid "seconds ago" msgstr "" #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" +msgid "today" msgstr "" #: js/js.js:819 -msgid "today" +msgid "yesterday" msgstr "" #: js/js.js:820 -msgid "yesterday" -msgstr "" +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:821 -msgid "{days} days ago" +msgid "last month" msgstr "" #: js/js.js:822 -msgid "last month" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:823 -msgid "{months} months ago" -msgstr "" - -#: js/js.js:824 msgid "months ago" msgstr "" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "" @@ -377,8 +377,9 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" msgstr "" #: lostpassword/templates/email.php:2 diff --git a/l10n/ml_IN/files.po b/l10n/ml_IN/files.po index 056f4c8f4b5..35132c50fa2 100644 --- a/l10n/ml_IN/files.po +++ b/l10n/ml_IN/files.po @@ -7,8 +7,8 @@ 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" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -120,7 +120,7 @@ msgstr "" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:93 templates/index.php:94 +#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 msgid "Delete" msgstr "" @@ -128,7 +128,7 @@ msgstr "" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "" @@ -160,11 +160,13 @@ msgstr "" msgid "perform delete operation" msgstr "" -#: js/filelist.js:457 -msgid "1 file uploading" -msgstr "" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:460 js/filelist.js:518 +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -200,33 +202,29 @@ msgstr "" msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:69 +#: js/files.js:744 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:745 templates/index.php:80 +#: js/files.js:745 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:746 templates/index.php:82 +#: js/files.js:746 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:763 -msgid "1 folder" -msgstr "" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" -#: js/files.js:765 -msgid "{count} folders" -msgstr "" - -#: js/files.js:773 -msgid "1 file" -msgstr "" - -#: js/files.js:775 -msgid "{count} files" -msgstr "" +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format @@ -285,45 +283,45 @@ msgstr "" msgid "From link" msgstr "" -#: templates/index.php:42 +#: templates/index.php:41 msgid "Deleted files" msgstr "" -#: templates/index.php:48 +#: templates/index.php:46 msgid "Cancel upload" msgstr "" -#: templates/index.php:54 +#: templates/index.php:52 msgid "You don’t have write permissions here." msgstr "" -#: templates/index.php:61 +#: templates/index.php:59 msgid "Nothing in here. Upload something!" msgstr "" -#: templates/index.php:75 +#: templates/index.php:73 msgid "Download" msgstr "" -#: templates/index.php:87 templates/index.php:88 +#: templates/index.php:85 templates/index.php:86 msgid "Unshare" msgstr "" -#: templates/index.php:107 +#: templates/index.php:105 msgid "Upload too large" msgstr "" -#: templates/index.php:109 +#: templates/index.php:107 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "" -#: templates/index.php:114 +#: templates/index.php:112 msgid "Files are being scanned, please wait." msgstr "" -#: templates/index.php:117 +#: templates/index.php:115 msgid "Current scanning" msgstr "" diff --git a/l10n/ml_IN/files_trashbin.po b/l10n/ml_IN/files_trashbin.po index 56f3b0e82b6..42c24ca6423 100644 --- a/l10n/ml_IN/files_trashbin.po +++ b/l10n/ml_IN/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-30 01:55-0400\n" -"PO-Revision-Date: 2013-07-30 05:56+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,17 @@ msgstr "" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" -#: js/trash.js:202 -msgid "1 file" -msgstr "" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "" +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/ml_IN/lib.po b/l10n/ml_IN/lib.po index 1bbc77ab473..8da360f24d9 100644 --- a/l10n/ml_IN/lib.po +++ b/l10n/ml_IN/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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,46 @@ msgid "seconds ago" msgstr "" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" +msgid "today" msgstr "" #: template/functions.php:84 -#, php-format -msgid "%d hours ago" +msgid "yesterday" msgstr "" #: template/functions.php:85 -msgid "today" -msgstr "" +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:86 -msgid "yesterday" +msgid "last month" msgstr "" #: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" #: 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 +#: template/functions.php:89 msgid "years ago" msgstr "" diff --git a/l10n/ms_MY/core.po b/l10n/ms_MY/core.po index 89d18a2f097..12142533623 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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,55 @@ msgstr "November" msgid "December" msgstr "Disember" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Tetapan" -#: js/js.js:814 -msgid "seconds ago" -msgstr "" - #: js/js.js:815 -msgid "1 minute ago" +msgid "seconds ago" msgstr "" #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: js/js.js:818 -msgid "{hours} hours ago" +msgid "today" msgstr "" #: js/js.js:819 -msgid "today" +msgid "yesterday" msgstr "" #: js/js.js:820 -msgid "yesterday" -msgstr "" +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" #: js/js.js:821 -msgid "{days} days ago" +msgid "last month" msgstr "" #: js/js.js:822 -msgid "last month" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" #: js/js.js:823 -msgid "{months} months ago" -msgstr "" - -#: js/js.js:824 msgid "months ago" msgstr "" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "" @@ -377,9 +373,10 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" -msgstr "Set semula kata lalaun ownCloud" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" +msgstr "" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/ms_MY/files.po b/l10n/ms_MY/files.po index 57d517951ba..9f421613c28 100644 --- a/l10n/ms_MY/files.po +++ b/l10n/ms_MY/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -128,7 +128,7 @@ msgstr "Padam" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Dalam proses" @@ -160,11 +160,12 @@ msgstr "" msgid "perform delete operation" msgstr "" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -212,21 +213,15 @@ msgstr "Saiz" msgid "Modified" msgstr "Dimodifikasi" -#: js/files.js:763 -msgid "1 folder" -msgstr "" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/files.js:773 -msgid "1 file" -msgstr "" - -#: js/files.js:775 -msgid "{count} files" -msgstr "" +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/app.php:73 #, php-format diff --git a/l10n/ms_MY/files_trashbin.po b/l10n/ms_MY/files_trashbin.po index b083fa30d71..cb56fbd7745 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,15 @@ msgstr "Nama" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/trash.js:202 -msgid "1 file" -msgstr "" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "" +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/ms_MY/lib.po b/l10n/ms_MY/lib.po index d6dd5422be9..529c2d96124 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,42 @@ msgid "seconds ago" msgstr "" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: template/functions.php:83 -msgid "1 hour ago" +msgid "today" msgstr "" #: template/functions.php:84 -#, php-format -msgid "%d hours ago" +msgid "yesterday" msgstr "" #: template/functions.php:85 -msgid "today" -msgstr "" +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" #: template/functions.php:86 -msgid "yesterday" +msgid "last month" msgstr "" #: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" #: 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 +#: template/functions.php:89 msgid "years ago" msgstr "" diff --git a/l10n/my_MM/core.po b/l10n/my_MM/core.po index 3c93697074c..29ad3b362d7 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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,55 @@ msgstr "နိုဝင်ဘာ" msgid "December" msgstr "ဒီဇင်ဘာ" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "စက္ကန့်အနည်းငယ်က" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "၁ မိနစ်အရင်က" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "၁ နာရီ အရင်က" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "" - -#: js/js.js:819 msgid "today" msgstr "ယနေ့" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "မနေ့က" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "ပြီးခဲ့သောလ" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "မနှစ်က" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "နှစ် အရင်က" @@ -377,8 +373,9 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" msgstr "" #: lostpassword/templates/email.php:2 diff --git a/l10n/my_MM/files.po b/l10n/my_MM/files.po index 19a7af920ed..dca3d0776b4 100644 --- a/l10n/my_MM/files.po +++ b/l10n/my_MM/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -128,7 +128,7 @@ msgstr "" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "" @@ -160,11 +160,12 @@ msgstr "" msgid "perform delete operation" msgstr "" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -212,21 +213,15 @@ msgstr "" msgid "Modified" msgstr "" -#: js/files.js:763 -msgid "1 folder" -msgstr "" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/files.js:773 -msgid "1 file" -msgstr "" - -#: js/files.js:775 -msgid "{count} files" -msgstr "" +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/app.php:73 #, php-format diff --git a/l10n/my_MM/files_trashbin.po b/l10n/my_MM/files_trashbin.po index 5b874f21745..0611fe45b55 100644 --- a/l10n/my_MM/files_trashbin.po +++ b/l10n/my_MM/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-30 01:55-0400\n" -"PO-Revision-Date: 2013-07-30 05:56+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,15 @@ msgstr "" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/trash.js:202 -msgid "1 file" -msgstr "" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "" +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/my_MM/lib.po b/l10n/my_MM/lib.po index 924312085e5..bac9d830bf4 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,42 @@ msgid "seconds ago" msgstr "စက္ကန့်အနည်းငယ်က" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "၁ မိနစ်အရင်က" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d မိနစ်အရင်က" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "၁ နာရီ အရင်က" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "%d နာရီအရင်က" - -#: template/functions.php:85 msgid "today" msgstr "ယနေ့" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "မနေ့က" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d ရက် အရင်က" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "ပြီးခဲ့သောလ" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "%d လအရင်က" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "မနှစ်က" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "နှစ် အရင်က" diff --git a/l10n/nb_NO/core.po b/l10n/nb_NO/core.po index 8650127e346..0201469d378 100644 --- a/l10n/nb_NO/core.po +++ b/l10n/nb_NO/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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -138,59 +138,59 @@ msgstr "November" msgid "December" msgstr "Desember" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Innstillinger" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "sekunder siden" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 minutt siden" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes} minutter siden" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1 time siden" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{hours} timer siden" - -#: js/js.js:819 msgid "today" msgstr "i dag" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "i går" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{days} dager siden" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "forrige måned" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{months} måneder siden" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "måneder siden" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "forrige år" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "år siden" @@ -378,9 +378,10 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" -msgstr "Tilbakestill ownCloud passord" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" +msgstr "" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/nb_NO/files.po b/l10n/nb_NO/files.po index df1d934aedf..84d2868ea50 100644 --- a/l10n/nb_NO/files.po +++ b/l10n/nb_NO/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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -130,7 +130,7 @@ msgstr "Slett" msgid "Rename" msgstr "Omdøp" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Ventende" @@ -162,11 +162,13 @@ msgstr "angre" msgid "perform delete operation" msgstr "utfør sletting" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 fil lastes opp" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "filer lastes opp" @@ -214,21 +216,17 @@ msgstr "Størrelse" msgid "Modified" msgstr "Endret" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 mappe" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} mapper" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 fil" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} filer" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/nb_NO/files_trashbin.po b/l10n/nb_NO/files_trashbin.po index f7b3957358c..72e2ce3e7bf 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -52,21 +52,17 @@ msgstr "Navn" msgid "Deleted" msgstr "Slettet" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 mappe" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} mapper" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 fil" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} filer" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/nb_NO/lib.po b/l10n/nb_NO/lib.po index fe342df879d..5e2ffdb8ffe 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,46 @@ msgid "seconds ago" msgstr "sekunder siden" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 minutt siden" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d minutter siden" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "1 time siden" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "%d timer siden" - -#: template/functions.php:85 msgid "today" msgstr "i dag" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "i går" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d dager siden" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "forrige måned" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "%d måneder siden" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "forrige år" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "år siden" diff --git a/l10n/ne/core.po b/l10n/ne/core.po index 70b0faea8ee..d20e5a3d3ab 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -137,59 +137,59 @@ msgstr "" msgid "December" msgstr "" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "" -#: js/js.js:814 -msgid "seconds ago" -msgstr "" - #: js/js.js:815 -msgid "1 minute ago" +msgid "seconds ago" msgstr "" #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" +msgid "today" msgstr "" #: js/js.js:819 -msgid "today" +msgid "yesterday" msgstr "" #: js/js.js:820 -msgid "yesterday" -msgstr "" +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:821 -msgid "{days} days ago" +msgid "last month" msgstr "" #: js/js.js:822 -msgid "last month" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:823 -msgid "{months} months ago" -msgstr "" - -#: js/js.js:824 msgid "months ago" msgstr "" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "" @@ -377,8 +377,9 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" msgstr "" #: lostpassword/templates/email.php:2 diff --git a/l10n/ne/files.po b/l10n/ne/files.po index 26e7154708e..ece51f1910a 100644 --- a/l10n/ne/files.po +++ b/l10n/ne/files.po @@ -7,8 +7,8 @@ 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" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -120,7 +120,7 @@ msgstr "" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:93 templates/index.php:94 +#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 msgid "Delete" msgstr "" @@ -128,7 +128,7 @@ msgstr "" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "" @@ -160,11 +160,13 @@ msgstr "" msgid "perform delete operation" msgstr "" -#: js/filelist.js:457 -msgid "1 file uploading" -msgstr "" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:460 js/filelist.js:518 +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -200,33 +202,29 @@ msgstr "" msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:69 +#: js/files.js:744 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:745 templates/index.php:80 +#: js/files.js:745 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:746 templates/index.php:82 +#: js/files.js:746 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:763 -msgid "1 folder" -msgstr "" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" -#: js/files.js:765 -msgid "{count} folders" -msgstr "" - -#: js/files.js:773 -msgid "1 file" -msgstr "" - -#: js/files.js:775 -msgid "{count} files" -msgstr "" +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format @@ -285,45 +283,45 @@ msgstr "" msgid "From link" msgstr "" -#: templates/index.php:42 +#: templates/index.php:41 msgid "Deleted files" msgstr "" -#: templates/index.php:48 +#: templates/index.php:46 msgid "Cancel upload" msgstr "" -#: templates/index.php:54 +#: templates/index.php:52 msgid "You don’t have write permissions here." msgstr "" -#: templates/index.php:61 +#: templates/index.php:59 msgid "Nothing in here. Upload something!" msgstr "" -#: templates/index.php:75 +#: templates/index.php:73 msgid "Download" msgstr "" -#: templates/index.php:87 templates/index.php:88 +#: templates/index.php:85 templates/index.php:86 msgid "Unshare" msgstr "" -#: templates/index.php:107 +#: templates/index.php:105 msgid "Upload too large" msgstr "" -#: templates/index.php:109 +#: templates/index.php:107 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "" -#: templates/index.php:114 +#: templates/index.php:112 msgid "Files are being scanned, please wait." msgstr "" -#: templates/index.php:117 +#: templates/index.php:115 msgid "Current scanning" msgstr "" diff --git a/l10n/ne/files_trashbin.po b/l10n/ne/files_trashbin.po index 5b7a422b1f9..06099b3a416 100644 --- a/l10n/ne/files_trashbin.po +++ b/l10n/ne/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-30 01:55-0400\n" -"PO-Revision-Date: 2013-07-30 05:56+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,17 @@ msgstr "" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" -#: js/trash.js:202 -msgid "1 file" -msgstr "" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "" +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/ne/lib.po b/l10n/ne/lib.po index 5ab14347a8f..4fcfd8bc3ea 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,46 @@ msgid "seconds ago" msgstr "" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" +msgid "today" msgstr "" #: template/functions.php:84 -#, php-format -msgid "%d hours ago" +msgid "yesterday" msgstr "" #: template/functions.php:85 -msgid "today" -msgstr "" +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:86 -msgid "yesterday" +msgid "last month" msgstr "" #: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" #: 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 +#: template/functions.php:89 msgid "years ago" msgstr "" diff --git a/l10n/nl/core.po b/l10n/nl/core.po index 6e4e157eec2..0502d440988 100644 --- a/l10n/nl/core.po +++ b/l10n/nl/core.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-08-13 09:11-0400\n" -"PO-Revision-Date: 2013-08-11 18:50+0000\n" -"Last-Translator: kwillems \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -140,59 +140,59 @@ msgstr "november" msgid "December" msgstr "december" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Instellingen" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "seconden geleden" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 minuut geleden" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes} minuten geleden" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1 uur geleden" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{hours} uren geleden" - -#: js/js.js:819 msgid "today" msgstr "vandaag" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "gisteren" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{days} dagen geleden" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "vorige maand" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{months} maanden geleden" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "maanden geleden" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "vorig jaar" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "jaar geleden" @@ -380,9 +380,10 @@ msgstr "De update is niet geslaagd. Meld dit probleem aan bij de \n" "Language-Team: Dutch (http://www.transifex.com/projects/p/owncloud/language/nl/)\n" "MIME-Version: 1.0\n" @@ -129,7 +129,7 @@ msgstr "Verwijder" msgid "Rename" msgstr "Hernoem" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "In behandeling" @@ -161,11 +161,13 @@ msgstr "ongedaan maken" msgid "perform delete operation" msgstr "uitvoeren verwijderactie" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 bestand wordt ge-upload" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "bestanden aan het uploaden" @@ -213,21 +215,17 @@ msgstr "Grootte" msgid "Modified" msgstr "Aangepast" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 map" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} mappen" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 bestand" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} bestanden" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/nl/files_trashbin.po b/l10n/nl/files_trashbin.po index 1ec33cc8a54..9227cb640a5 100644 --- a/l10n/nl/files_trashbin.po +++ b/l10n/nl/files_trashbin.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: André Koot \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -52,21 +52,17 @@ msgstr "Naam" msgid "Deleted" msgstr "Verwijderd" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 map" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} mappen" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 bestand" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} bestanden" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/nl/lib.po b/l10n/nl/lib.po index e134ee29a6e..833787fb045 100644 --- a/l10n/nl/lib.po +++ b/l10n/nl/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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -208,50 +208,46 @@ msgid "seconds ago" msgstr "seconden geleden" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 minuut geleden" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d minuten geleden" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "1 uur geleden" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "%d uren geleden" - -#: template/functions.php:85 msgid "today" msgstr "vandaag" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "gisteren" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d dagen geleden" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "vorige maand" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "%d maanden geleden" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "vorig jaar" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "jaar geleden" diff --git a/l10n/nn_NO/core.po b/l10n/nn_NO/core.po index e9f078ccd3e..29908b4d1b9 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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:354 +#: js/js.js:355 msgid "Settings" msgstr "Innstillingar" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "sekund sidan" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 minutt sidan" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes} minutt sidan" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1 time sidan" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{hours} timar sidan" - -#: js/js.js:819 msgid "today" msgstr "i dag" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "i går" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{days} dagar sidan" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "førre månad" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{months} månadar sidan" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "månadar sidan" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "i fjor" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "år sidan" @@ -379,9 +379,10 @@ msgstr "Oppdateringa feila. Ver venleg og rapporter feilen til \n" "Language-Team: Norwegian Nynorsk (Norway) (http://www.transifex.com/projects/p/owncloud/language/nn_NO/)\n" "MIME-Version: 1.0\n" @@ -130,7 +130,7 @@ msgstr "Slett" msgid "Rename" msgstr "Endra namn" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Under vegs" @@ -162,11 +162,13 @@ msgstr "angre" msgid "perform delete operation" msgstr "utfør sletting" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 fil lastar opp" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "filer lastar opp" @@ -214,21 +216,17 @@ msgstr "Storleik" msgid "Modified" msgstr "Endra" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 mappe" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} mapper" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 fil" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} filer" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/nn_NO/files_trashbin.po b/l10n/nn_NO/files_trashbin.po index eea84fc24ae..c10ee6cd507 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -52,21 +52,17 @@ msgstr "Namn" msgid "Deleted" msgstr "Sletta" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 mappe" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} mapper" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 fil" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} filer" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/nn_NO/lib.po b/l10n/nn_NO/lib.po index ac9c8a7af06..a344f828b7b 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -207,50 +207,46 @@ msgid "seconds ago" msgstr "sekund sidan" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 minutt sidan" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "1 time sidan" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "" - -#: template/functions.php:85 msgid "today" msgstr "i dag" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "i går" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "førre månad" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "i fjor" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "år sidan" diff --git a/l10n/oc/core.po b/l10n/oc/core.po index 3d809055bc4..33d3488ee96 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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:354 +#: js/js.js:355 msgid "Settings" msgstr "Configuracion" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "segonda a" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 minuta a" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "" - -#: js/js.js:819 msgid "today" msgstr "uèi" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "ièr" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "mes passat" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "meses a" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "an passat" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "ans a" @@ -377,9 +377,10 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" -msgstr "senhal d'ownCloud tornat botar" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" +msgstr "" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/oc/files.po b/l10n/oc/files.po index 56a56738f8d..457b51997ef 100644 --- a/l10n/oc/files.po +++ b/l10n/oc/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -128,7 +128,7 @@ msgstr "Escafa" msgid "Rename" msgstr "Torna nomenar" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Al esperar" @@ -160,11 +160,13 @@ msgstr "defar" msgid "perform delete operation" msgstr "" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 fichièr al amontcargar" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "fichièrs al amontcargar" @@ -212,21 +214,17 @@ msgstr "Talha" msgid "Modified" msgstr "Modificat" -#: 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 "" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/oc/files_trashbin.po b/l10n/oc/files_trashbin.po index 7b98ed67701..1f47311fecd 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,17 @@ msgstr "Nom" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "" - -#: js/trash.js:202 -msgid "1 file" -msgstr "" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/oc/lib.po b/l10n/oc/lib.po index b72cc1bad45..7624e587690 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,46 @@ msgid "seconds ago" msgstr "segonda a" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 minuta a" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d minutas a" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: 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 "uèi" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "ièr" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d jorns a" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "mes passat" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "an passat" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "ans a" diff --git a/l10n/pl/core.po b/l10n/pl/core.po index 93e154f91b1..5f7f67f6df2 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-08-13 09:11-0400\n" -"PO-Revision-Date: 2013-08-13 11:30+0000\n" -"Last-Translator: Cyryl Sochacki \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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,63 @@ msgstr "Listopad" msgid "December" msgstr "Grudzień" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Ustawienia" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "sekund temu" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 minutę temu" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes} minut temu" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1 godzinę temu" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{hours} godzin temu" - -#: js/js.js:819 msgid "today" msgstr "dziś" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "wczoraj" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{days} dni temu" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "w zeszłym miesiącu" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{months} miesięcy temu" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "miesięcy temu" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "w zeszłym roku" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "lat temu" @@ -379,9 +383,10 @@ msgstr "Aktualizacja zakończyła się niepowodzeniem. Zgłoś ten problem \n" "Language-Team: Polish (http://www.transifex.com/projects/p/owncloud/language/pl/)\n" "MIME-Version: 1.0\n" @@ -130,7 +130,7 @@ msgstr "Usuń" msgid "Rename" msgstr "Zmień nazwę" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Oczekujące" @@ -162,11 +162,14 @@ msgstr "cofnij" msgid "perform delete operation" msgstr "wykonaj operację usunięcia" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 plik wczytywany" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "pliki wczytane" @@ -214,21 +217,19 @@ msgstr "Rozmiar" msgid "Modified" msgstr "Modyfikacja" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 folder" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "Ilość folderów: {count}" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 plik" - -#: js/files.js:775 -msgid "{count} files" -msgstr "Ilość plików: {count}" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: lib/app.php:73 #, php-format diff --git a/l10n/pl/files_trashbin.po b/l10n/pl/files_trashbin.po index 659a37b2008..fd82c9bdd6d 100644 --- a/l10n/pl/files_trashbin.po +++ b/l10n/pl/files_trashbin.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: Cyryl Sochacki \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -52,21 +52,19 @@ msgstr "Nazwa" msgid "Deleted" msgstr "Usunięte" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 folder" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "Ilość folderów: {count}" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 plik" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "Ilość plików: {count}" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/pl/lib.po b/l10n/pl/lib.po index f9c3b504b9a..6cdef8fb479 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -207,50 +207,50 @@ msgid "seconds ago" msgstr "sekund temu" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 minutę temu" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d minut temu" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "1 godzinę temu" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "%d godzin temu" - -#: template/functions.php:85 msgid "today" msgstr "dziś" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "wczoraj" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d dni temu" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "w zeszłym miesiącu" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "%d miesiecy temu" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "w zeszłym roku" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "lat temu" diff --git a/l10n/pt_BR/core.po b/l10n/pt_BR/core.po index 1e89128a123..3bfe613cabb 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-08-13 09:11-0400\n" -"PO-Revision-Date: 2013-08-11 14:50+0000\n" -"Last-Translator: Flávio Veras \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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:354 +#: js/js.js:355 msgid "Settings" msgstr "Ajustes" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "segundos atrás" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 minuto atrás" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes} minutos atrás" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1 hora atrás" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{hours} horas atrás" - -#: js/js.js:819 msgid "today" msgstr "hoje" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "ontem" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{days} dias atrás" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "último mês" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{months} meses atrás" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "meses atrás" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "último ano" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "anos atrás" @@ -379,9 +379,10 @@ msgstr "A atualização falhou. Por favor, relate este problema para a \n" "Language-Team: Portuguese (Brazil) (http://www.transifex.com/projects/p/owncloud/language/pt_BR/)\n" "MIME-Version: 1.0\n" @@ -131,7 +131,7 @@ msgstr "Excluir" msgid "Rename" msgstr "Renomear" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Pendente" @@ -163,11 +163,13 @@ msgstr "desfazer" msgid "perform delete operation" msgstr "realizar operação de exclusão" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "enviando 1 arquivo" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "enviando arquivos" @@ -215,21 +217,17 @@ msgstr "Tamanho" msgid "Modified" msgstr "Modificado" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 pasta" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} pastas" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 arquivo" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} arquivos" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/pt_BR/files_trashbin.po b/l10n/pt_BR/files_trashbin.po index 2141331b272..3464db7a911 100644 --- a/l10n/pt_BR/files_trashbin.po +++ b/l10n/pt_BR/files_trashbin.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: Flávio Veras \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -52,21 +52,17 @@ msgstr "Nome" msgid "Deleted" msgstr "Excluído" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 pasta" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} pastas" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 arquivo" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} arquivos" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/pt_BR/lib.po b/l10n/pt_BR/lib.po index da1ddabb5f1..b8ce85263af 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -207,50 +207,46 @@ msgid "seconds ago" msgstr "segundos atrás" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 minuto atrás" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d minutos atrás" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "1 hora atrás" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "%d horas atrás" - -#: template/functions.php:85 msgid "today" msgstr "hoje" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "ontem" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d dias atrás" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "último mês" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "%d meses atrás" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "último ano" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "anos atrás" diff --git a/l10n/pt_PT/core.po b/l10n/pt_PT/core.po index 645a5d2a2c6..7b568baecac 100644 --- a/l10n/pt_PT/core.po +++ b/l10n/pt_PT/core.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -141,59 +141,59 @@ msgstr "Novembro" msgid "December" msgstr "Dezembro" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Configurações" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "Minutos atrás" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "Há 1 minuto" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes} minutos atrás" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "Há 1 horas" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "Há {hours} horas atrás" - -#: js/js.js:819 msgid "today" msgstr "hoje" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "ontem" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{days} dias atrás" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "ultímo mês" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "Há {months} meses atrás" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "meses atrás" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "ano passado" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "anos atrás" @@ -381,9 +381,10 @@ msgstr "A actualização falhou. Por favor reporte este incidente seguindo este 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." -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" -msgstr "Reposição da password ownCloud" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" +msgstr "" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/pt_PT/files.po b/l10n/pt_PT/files.po index 161a889dc9a..496c1b0ba47 100644 --- a/l10n/pt_PT/files.po +++ b/l10n/pt_PT/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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -130,7 +130,7 @@ msgstr "Eliminar" msgid "Rename" msgstr "Renomear" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Pendente" @@ -162,11 +162,13 @@ msgstr "desfazer" msgid "perform delete operation" msgstr "Executar a tarefa de apagar" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "A enviar 1 ficheiro" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "A enviar os ficheiros" @@ -214,21 +216,17 @@ msgstr "Tamanho" msgid "Modified" msgstr "Modificado" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 pasta" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} pastas" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 ficheiro" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} ficheiros" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/pt_PT/files_trashbin.po b/l10n/pt_PT/files_trashbin.po index cf52c642066..e23fb508d18 100644 --- a/l10n/pt_PT/files_trashbin.po +++ b/l10n/pt_PT/files_trashbin.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: Helder Meneses \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -52,21 +52,17 @@ msgstr "Nome" msgid "Deleted" msgstr "Apagado" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 pasta" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} pastas" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 ficheiro" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} ficheiros" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/pt_PT/lib.po b/l10n/pt_PT/lib.po index cb7e1b5f825..890855582cf 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -207,50 +207,46 @@ msgid "seconds ago" msgstr "Minutos atrás" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "Há 1 minuto" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "há %d minutos" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "Há 1 horas" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "Há %d horas" - -#: template/functions.php:85 msgid "today" msgstr "hoje" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "ontem" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "há %d dias" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "ultímo mês" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "Há %d meses atrás" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "ano passado" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "anos atrás" diff --git a/l10n/ro/core.po b/l10n/ro/core.po index 591a3ef6202..39cd512c1a5 100644 --- a/l10n/ro/core.po +++ b/l10n/ro/core.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -141,59 +141,63 @@ msgstr "Noiembrie" msgid "December" msgstr "Decembrie" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Setări" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "secunde în urmă" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 minut în urmă" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes} minute in urmă" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "Acum o oră" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{hours} ore în urmă" - -#: js/js.js:819 msgid "today" msgstr "astăzi" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "ieri" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{days} zile in urmă" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "ultima lună" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{months} luni în urmă" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "luni în urmă" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "ultimul an" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "ani în urmă" @@ -381,9 +385,10 @@ msgstr "Actualizarea a eșuat! Raportați problema către \n" "Language-Team: Romanian (http://www.transifex.com/projects/p/owncloud/language/ro/)\n" "MIME-Version: 1.0\n" @@ -131,7 +131,7 @@ msgstr "Șterge" msgid "Rename" msgstr "Redenumire" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "În așteptare" @@ -163,11 +163,14 @@ msgstr "Anulează ultima acțiune" msgid "perform delete operation" msgstr "efectueaza operatiunea de stergere" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "un fișier se încarcă" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "fișiere se încarcă" @@ -215,21 +218,19 @@ msgstr "Dimensiune" msgid "Modified" msgstr "Modificat" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 folder" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} foldare" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 fisier" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} fisiere" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: lib/app.php:73 #, php-format diff --git a/l10n/ro/files_trashbin.po b/l10n/ro/files_trashbin.po index 822b86ba323..59197c9f4fd 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,19 @@ msgstr "Nume" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 folder" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} foldare" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 fisier" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} fisiere" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/ro/lib.po b/l10n/ro/lib.po index fe762ac0523..0aec6a81b4a 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,50 @@ msgid "seconds ago" msgstr "secunde în urmă" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 minut în urmă" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d minute în urmă" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "Acum o ora" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "%d ore in urma" - -#: template/functions.php:85 msgid "today" msgstr "astăzi" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "ieri" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d zile în urmă" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "ultima lună" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "%d luni in urma" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "ultimul an" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "ani în urmă" diff --git a/l10n/ru/core.po b/l10n/ru/core.po index 41e93a0285a..81dee27e6ca 100644 --- a/l10n/ru/core.po +++ b/l10n/ru/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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -144,59 +144,63 @@ msgstr "Ноябрь" msgid "December" msgstr "Декабрь" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Конфигурация" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "несколько секунд назад" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 минуту назад" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes} минут назад" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "час назад" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{hours} часов назад" - -#: js/js.js:819 msgid "today" msgstr "сегодня" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "вчера" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{days} дней назад" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "в прошлом месяце" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{months} месяцев назад" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "несколько месяцев назад" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "в прошлом году" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "несколько лет назад" @@ -384,9 +388,10 @@ msgstr "При обновлении произошла ошибка. Пожал msgid "The update was successful. Redirecting you to ownCloud now." msgstr "Обновление прошло успешно. Перенаправляемся в Ваш ownCloud..." -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" -msgstr "Сброс пароля " +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" +msgstr "" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/ru/files.po b/l10n/ru/files.po index 2df55363970..eed35b95f72 100644 --- a/l10n/ru/files.po +++ b/l10n/ru/files.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -132,7 +132,7 @@ msgstr "Удалить" msgid "Rename" msgstr "Переименовать" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Ожидание" @@ -164,11 +164,14 @@ msgstr "отмена" msgid "perform delete operation" msgstr "выполнить операцию удаления" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "загружается 1 файл" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "файлы загружаются" @@ -216,21 +219,19 @@ msgstr "Размер" msgid "Modified" msgstr "Изменён" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 папка" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} папок" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 файл" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} файлов" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: lib/app.php:73 #, php-format diff --git a/l10n/ru/files_trashbin.po b/l10n/ru/files_trashbin.po index f76ec68235d..c0a473a4e6d 100644 --- a/l10n/ru/files_trashbin.po +++ b/l10n/ru/files_trashbin.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: Den4md \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -52,21 +52,19 @@ msgstr "Имя" msgid "Deleted" msgstr "Удалён" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 папка" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} папок" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 файл" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} файлов" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/ru/lib.po b/l10n/ru/lib.po index af10affa540..fe99071b8b5 100644 --- a/l10n/ru/lib.po +++ b/l10n/ru/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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -208,50 +208,50 @@ msgid "seconds ago" msgstr "несколько секунд назад" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 минуту назад" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d минут назад" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "час назад" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "%d часов назад" - -#: template/functions.php:85 msgid "today" msgstr "сегодня" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "вчера" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d дней назад" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "в прошлом месяце" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "%d месяцев назад" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "в прошлом году" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "несколько лет назад" diff --git a/l10n/si_LK/core.po b/l10n/si_LK/core.po index 7a36141dc71..01e83cce14a 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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:354 +#: js/js.js:355 msgid "Settings" msgstr "සිටුවම්" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "තත්පරයන්ට පෙර" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 මිනිත්තුවකට පෙර" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "" - -#: js/js.js:819 msgid "today" msgstr "අද" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "ඊයේ" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "පෙර මාසයේ" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "මාස කීපයකට පෙර" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "පෙර අවුරුද්දේ" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "අවුරුදු කීපයකට පෙර" @@ -377,9 +377,10 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" -msgstr "ownCloud මුරපදය ප්‍රත්‍යාරම්භ කරන්න" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" +msgstr "" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/si_LK/files.po b/l10n/si_LK/files.po index ea23e234100..5311955e9d2 100644 --- a/l10n/si_LK/files.po +++ b/l10n/si_LK/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -128,7 +128,7 @@ msgstr "මකා දමන්න" msgid "Rename" msgstr "නැවත නම් කරන්න" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "" @@ -160,11 +160,13 @@ msgstr "නිෂ්ප්‍රභ කරන්න" msgid "perform delete operation" msgstr "" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 ගොනුවක් උඩගත කෙරේ" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -212,21 +214,17 @@ msgstr "ප්‍රමාණය" msgid "Modified" msgstr "වෙනස් කළ" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 ෆොල්ඩරයක්" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 ගොනුවක්" - -#: js/files.js:775 -msgid "{count} files" -msgstr "" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/si_LK/files_trashbin.po b/l10n/si_LK/files_trashbin.po index 249cb24f18a..ef616c5a548 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,17 @@ msgstr "නම" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 ෆොල්ඩරයක්" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 ගොනුවක්" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/si_LK/lib.po b/l10n/si_LK/lib.po index 1bc00eb43f1..838b32a1fdc 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,46 @@ msgid "seconds ago" msgstr "තත්පරයන්ට පෙර" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 මිනිත්තුවකට පෙර" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d මිනිත්තුවන්ට පෙර" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: 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 +#: template/functions.php:84 msgid "yesterday" msgstr "ඊයේ" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d දිනකට පෙර" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "පෙර මාසයේ" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "පෙර අවුරුද්දේ" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "අවුරුදු කීපයකට පෙර" diff --git a/l10n/sk/core.po b/l10n/sk/core.po index 05527007267..d92fbb15323 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -137,59 +137,63 @@ msgstr "" msgid "December" msgstr "" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "" -#: js/js.js:814 -msgid "seconds ago" -msgstr "" - #: js/js.js:815 -msgid "1 minute ago" +msgid "seconds ago" msgstr "" #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:818 -msgid "{hours} hours ago" +msgid "today" msgstr "" #: js/js.js:819 -msgid "today" +msgid "yesterday" msgstr "" #: js/js.js:820 -msgid "yesterday" -msgstr "" +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:821 -msgid "{days} days ago" +msgid "last month" msgstr "" #: js/js.js:822 -msgid "last month" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:823 -msgid "{months} months ago" -msgstr "" - -#: js/js.js:824 msgid "months ago" msgstr "" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "" @@ -377,8 +381,9 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" msgstr "" #: lostpassword/templates/email.php:2 diff --git a/l10n/sk/files.po b/l10n/sk/files.po index 7972570bed6..1e164aa3dca 100644 --- a/l10n/sk/files.po +++ b/l10n/sk/files.po @@ -7,8 +7,8 @@ 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" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -120,7 +120,7 @@ msgstr "" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:93 templates/index.php:94 +#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 msgid "Delete" msgstr "" @@ -128,7 +128,7 @@ msgstr "" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "" @@ -160,11 +160,14 @@ msgstr "" msgid "perform delete operation" msgstr "" -#: js/filelist.js:457 -msgid "1 file uploading" -msgstr "" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/filelist.js:460 js/filelist.js:518 +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -200,33 +203,31 @@ msgstr "" msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:69 +#: js/files.js:744 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:745 templates/index.php:80 +#: js/files.js:745 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:746 templates/index.php:82 +#: js/files.js:746 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:763 -msgid "1 folder" -msgstr "" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/files.js:765 -msgid "{count} folders" -msgstr "" - -#: js/files.js:773 -msgid "1 file" -msgstr "" - -#: js/files.js:775 -msgid "{count} files" -msgstr "" +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: lib/app.php:73 #, php-format @@ -285,45 +286,45 @@ msgstr "" msgid "From link" msgstr "" -#: templates/index.php:42 +#: templates/index.php:41 msgid "Deleted files" msgstr "" -#: templates/index.php:48 +#: templates/index.php:46 msgid "Cancel upload" msgstr "" -#: templates/index.php:54 +#: templates/index.php:52 msgid "You don’t have write permissions here." msgstr "" -#: templates/index.php:61 +#: templates/index.php:59 msgid "Nothing in here. Upload something!" msgstr "" -#: templates/index.php:75 +#: templates/index.php:73 msgid "Download" msgstr "" -#: templates/index.php:87 templates/index.php:88 +#: templates/index.php:85 templates/index.php:86 msgid "Unshare" msgstr "" -#: templates/index.php:107 +#: templates/index.php:105 msgid "Upload too large" msgstr "" -#: templates/index.php:109 +#: templates/index.php:107 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "" -#: templates/index.php:114 +#: templates/index.php:112 msgid "Files are being scanned, please wait." msgstr "" -#: templates/index.php:117 +#: templates/index.php:115 msgid "Current scanning" msgstr "" diff --git a/l10n/sk/files_trashbin.po b/l10n/sk/files_trashbin.po index 07aa2e17a0b..322a3dbd56e 100644 --- a/l10n/sk/files_trashbin.po +++ b/l10n/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-30 01:55-0400\n" -"PO-Revision-Date: 2013-07-30 05:56+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,19 @@ msgstr "" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/trash.js:202 -msgid "1 file" -msgstr "" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "" +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/sk/lib.po b/l10n/sk/lib.po index f9b0c216e02..1956868b0db 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,50 @@ msgid "seconds ago" msgstr "" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: template/functions.php:83 -msgid "1 hour ago" +msgid "today" msgstr "" #: template/functions.php:84 -#, php-format -msgid "%d hours ago" +msgid "yesterday" msgstr "" #: template/functions.php:85 -msgid "today" -msgstr "" +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: template/functions.php:86 -msgid "yesterday" +msgid "last month" msgstr "" #: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: 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 +#: template/functions.php:89 msgid "years ago" msgstr "" diff --git a/l10n/sk_SK/core.po b/l10n/sk_SK/core.po index b57189088d5..025c8016e01 100644 --- a/l10n/sk_SK/core.po +++ b/l10n/sk_SK/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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -138,59 +138,63 @@ msgstr "November" msgid "December" msgstr "December" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Nastavenia" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "pred sekundami" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "pred minútou" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "pred {minutes} minútami" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "Pred 1 hodinou" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "Pred {hours} hodinami." - -#: js/js.js:819 msgid "today" msgstr "dnes" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "včera" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "pred {days} dňami" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "minulý mesiac" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "Pred {months} mesiacmi." +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "pred mesiacmi" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "minulý rok" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "pred rokmi" @@ -378,9 +382,10 @@ msgstr "Aktualizácia nebola úspešná. Problém nahláste na \n" "Language-Team: Slovak (Slovakia) (http://www.transifex.com/projects/p/owncloud/language/sk_SK/)\n" "MIME-Version: 1.0\n" @@ -129,7 +129,7 @@ msgstr "Zmazať" msgid "Rename" msgstr "Premenovať" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Prebieha" @@ -161,11 +161,14 @@ msgstr "vrátiť" msgid "perform delete operation" msgstr "vykonať zmazanie" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 súbor sa posiela " +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "nahrávanie súborov" @@ -213,21 +216,19 @@ msgstr "Veľkosť" msgid "Modified" msgstr "Upravené" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 priečinok" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} priečinkov" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 súbor" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} súborov" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: lib/app.php:73 #, php-format diff --git a/l10n/sk_SK/files_trashbin.po b/l10n/sk_SK/files_trashbin.po index 08b4ef72b6b..31b22df580b 100644 --- a/l10n/sk_SK/files_trashbin.po +++ b/l10n/sk_SK/files_trashbin.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: mhh \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -52,21 +52,19 @@ msgstr "Názov" msgid "Deleted" msgstr "Zmazané" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 priečinok" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} priečinkov" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 súbor" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} súborov" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/sk_SK/lib.po b/l10n/sk_SK/lib.po index 3e9b1b4a3a6..b403893d8bb 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -207,50 +207,50 @@ msgid "seconds ago" msgstr "pred sekundami" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "pred minútou" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "pred %d minútami" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "Pred 1 hodinou" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "Pred %d hodinami." - -#: template/functions.php:85 msgid "today" msgstr "dnes" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "včera" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "pred %d dňami" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "minulý mesiac" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "Pred %d mesiacmi." +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "minulý rok" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "pred rokmi" diff --git a/l10n/sl/core.po b/l10n/sl/core.po index 774bca281d1..f659c22faf9 100644 --- a/l10n/sl/core.po +++ b/l10n/sl/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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -139,59 +139,67 @@ msgstr "november" msgid "December" msgstr "december" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Nastavitve" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "pred nekaj sekundami" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "pred minuto" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "pred {minutes} minutami" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "Pred 1 uro" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "pred {hours} urami" - -#: js/js.js:819 msgid "today" msgstr "danes" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "včeraj" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "pred {days} dnevi" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "zadnji mesec" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "pred {months} meseci" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "mesecev nazaj" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "lansko leto" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "let nazaj" @@ -379,9 +387,10 @@ msgstr "Posodobitev ni uspela. Pošljite poročilo o napaki na sistemu \n" "Language-Team: Slovenian (http://www.transifex.com/projects/p/owncloud/language/sl/)\n" "MIME-Version: 1.0\n" @@ -129,7 +129,7 @@ msgstr "Izbriši" msgid "Rename" msgstr "Preimenuj" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "V čakanju ..." @@ -161,11 +161,15 @@ msgstr "razveljavi" msgid "perform delete operation" msgstr "izvedi opravilo brisanja" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "Pošiljanje 1 datoteke" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "poteka pošiljanje datotek" @@ -213,21 +217,21 @@ msgstr "Velikost" msgid "Modified" msgstr "Spremenjeno" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 mapa" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} map" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 datoteka" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} datotek" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" #: lib/app.php:73 #, php-format diff --git a/l10n/sl/files_trashbin.po b/l10n/sl/files_trashbin.po index e565146577a..866885ca0cb 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,21 @@ msgstr "Ime" msgid "Deleted" msgstr "Izbrisano" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 mapa" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} map" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 datoteka" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} datotek" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/sl/lib.po b/l10n/sl/lib.po index 38ca6281664..fc3455dabda 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -207,50 +207,54 @@ msgid "seconds ago" msgstr "pred nekaj sekundami" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "pred minuto" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "pred %d minutami" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "Pred 1 uro" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "Pred %d urami" - -#: template/functions.php:85 msgid "today" msgstr "danes" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "včeraj" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "pred %d dnevi" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "zadnji mesec" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "Pred %d meseci" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "lansko leto" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "let nazaj" diff --git a/l10n/sq/core.po b/l10n/sq/core.po index e38e28341e7..0c6e10ceee2 100644 --- a/l10n/sq/core.po +++ b/l10n/sq/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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -139,59 +139,59 @@ msgstr "Nëntor" msgid "December" msgstr "Dhjetor" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Parametra" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "sekonda më parë" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 minutë më parë" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes} minuta më parë" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1 orë më parë" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{hours} orë më parë" - -#: js/js.js:819 msgid "today" msgstr "sot" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "dje" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{days} ditë më parë" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "muajin e shkuar" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{months} muaj më parë" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "muaj më parë" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "vitin e shkuar" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "vite më parë" @@ -379,9 +379,10 @@ msgstr "Azhurnimi dështoi. Ju lutemi njoftoni për këtë problem \n" "Language-Team: Albanian (http://www.transifex.com/projects/p/owncloud/language/sq/)\n" "MIME-Version: 1.0\n" @@ -128,7 +128,7 @@ msgstr "Elimino" msgid "Rename" msgstr "Riemërto" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Pezulluar" @@ -160,11 +160,13 @@ msgstr "anulo" msgid "perform delete operation" msgstr "ekzekuto operacionin e eliminimit" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "Po ngarkohet 1 skedar" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "po ngarkoj skedarët" @@ -212,21 +214,17 @@ msgstr "Dimensioni" msgid "Modified" msgstr "Modifikuar" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 dosje" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} dosje" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 skedar" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} skedarë" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/sq/files_trashbin.po b/l10n/sq/files_trashbin.po index 5347573c142..cd243657ba0 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,17 @@ msgstr "Emri" msgid "Deleted" msgstr "Eliminuar" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 dosje" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} dosje" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 skedar" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} skedarë" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/sq/lib.po b/l10n/sq/lib.po index 25e3c09b581..7fa5b3bf04e 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,46 @@ msgid "seconds ago" msgstr "sekonda më parë" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 minutë më parë" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d minuta më parë" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "1 orë më parë" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "%d orë më parë" - -#: template/functions.php:85 msgid "today" msgstr "sot" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "dje" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d ditë më parë" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "muajin e shkuar" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "%d muaj më parë" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "vitin e shkuar" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "vite më parë" diff --git a/l10n/sr/core.po b/l10n/sr/core.po index 0f990ed8f6c..8072e39202b 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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,63 @@ msgstr "Новембар" msgid "December" msgstr "Децембар" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Поставке" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "пре неколико секунди" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "пре 1 минут" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "пре {minutes} минута" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "Пре једног сата" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "Пре {hours} сата (сати)" - -#: js/js.js:819 msgid "today" msgstr "данас" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "јуче" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "пре {days} дана" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "прошлог месеца" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "Пре {months} месеца (месеци)" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "месеци раније" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "прошле године" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "година раније" @@ -377,9 +381,10 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" -msgstr "Поништавање лозинке за ownCloud" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" +msgstr "" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/sr/files.po b/l10n/sr/files.po index daab5774e63..6a510b356b1 100644 --- a/l10n/sr/files.po +++ b/l10n/sr/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -128,7 +128,7 @@ msgstr "Обриши" msgid "Rename" msgstr "Преименуј" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "На чекању" @@ -160,11 +160,14 @@ msgstr "опозови" msgid "perform delete operation" msgstr "обриши" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "Отпремам 1 датотеку" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "датотеке се отпремају" @@ -212,21 +215,19 @@ msgstr "Величина" msgid "Modified" msgstr "Измењено" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 фасцикла" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} фасцикле/и" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 датотека" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} датотеке/а" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: lib/app.php:73 #, php-format diff --git a/l10n/sr/files_trashbin.po b/l10n/sr/files_trashbin.po index 18293c900b8..9fed460b7d4 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,19 @@ msgstr "Име" msgid "Deleted" msgstr "Обрисано" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 фасцикла" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} фасцикле/и" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 датотека" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} датотеке/а" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/sr/lib.po b/l10n/sr/lib.po index a418274cae5..28031d756c0 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,50 @@ msgid "seconds ago" msgstr "пре неколико секунди" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "пре 1 минут" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "пре %d минута" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "Пре једног сата" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "пре %d сата/и" - -#: template/functions.php:85 msgid "today" msgstr "данас" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "јуче" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "пре %d дана" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "прошлог месеца" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "пре %d месеца/и" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "прошле године" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "година раније" diff --git a/l10n/sr@latin/core.po b/l10n/sr@latin/core.po index a6d89afb957..507913d3bfb 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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,63 @@ msgstr "Novembar" msgid "December" msgstr "Decembar" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Podešavanja" -#: js/js.js:814 -msgid "seconds ago" -msgstr "" - #: js/js.js:815 -msgid "1 minute ago" +msgid "seconds ago" msgstr "" #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:818 -msgid "{hours} hours ago" +msgid "today" msgstr "" #: js/js.js:819 -msgid "today" +msgid "yesterday" msgstr "" #: js/js.js:820 -msgid "yesterday" -msgstr "" +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:821 -msgid "{days} days ago" +msgid "last month" msgstr "" #: js/js.js:822 -msgid "last month" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:823 -msgid "{months} months ago" -msgstr "" - -#: js/js.js:824 msgid "months ago" msgstr "" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "" @@ -377,8 +381,9 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" msgstr "" #: lostpassword/templates/email.php:2 diff --git a/l10n/sr@latin/files.po b/l10n/sr@latin/files.po index e30f663a084..863ac3e7f68 100644 --- a/l10n/sr@latin/files.po +++ b/l10n/sr@latin/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -128,7 +128,7 @@ msgstr "Obriši" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "" @@ -160,11 +160,14 @@ msgstr "" msgid "perform delete operation" msgstr "" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -212,21 +215,19 @@ msgstr "Veličina" msgid "Modified" msgstr "Zadnja izmena" -#: 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 "" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: lib/app.php:73 #, php-format diff --git a/l10n/sr@latin/files_trashbin.po b/l10n/sr@latin/files_trashbin.po index fc0635646c5..f1524d3b935 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-30 01:55-0400\n" -"PO-Revision-Date: 2013-07-30 05:56+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,19 @@ msgstr "Ime" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/trash.js:202 -msgid "1 file" -msgstr "" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "" +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/sr@latin/lib.po b/l10n/sr@latin/lib.po index 5ba85046514..fd83ff452b3 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,50 @@ msgid "seconds ago" msgstr "" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: template/functions.php:83 -msgid "1 hour ago" +msgid "today" msgstr "" #: template/functions.php:84 -#, php-format -msgid "%d hours ago" +msgid "yesterday" msgstr "" #: template/functions.php:85 -msgid "today" -msgstr "" +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: template/functions.php:86 -msgid "yesterday" +msgid "last month" msgstr "" #: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: 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 +#: template/functions.php:89 msgid "years ago" msgstr "" diff --git a/l10n/sv/core.po b/l10n/sv/core.po index 4edac60fe3a..36486c22d65 100644 --- a/l10n/sv/core.po +++ b/l10n/sv/core.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -141,59 +141,59 @@ msgstr "November" msgid "December" msgstr "December" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Inställningar" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "sekunder sedan" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 minut sedan" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes} minuter sedan" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1 timme sedan" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{hours} timmar sedan" - -#: js/js.js:819 msgid "today" msgstr "i dag" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "i går" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{days} dagar sedan" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "förra månaden" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{months} månader sedan" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "månader sedan" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "förra året" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "år sedan" @@ -381,9 +381,10 @@ msgstr "Uppdateringen misslyckades. Rapportera detta problem till \n" "Language-Team: Swedish (http://www.transifex.com/projects/p/owncloud/language/sv/)\n" "MIME-Version: 1.0\n" @@ -132,7 +132,7 @@ msgstr "Radera" msgid "Rename" msgstr "Byt namn" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Väntar" @@ -164,11 +164,13 @@ msgstr "ångra" msgid "perform delete operation" msgstr "utför raderingen" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 filuppladdning" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "filer laddas upp" @@ -216,21 +218,17 @@ msgstr "Storlek" msgid "Modified" msgstr "Ändrad" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 mapp" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} mappar" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 fil" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} filer" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/sv/files_trashbin.po b/l10n/sv/files_trashbin.po index 98a9df0dec9..ac516cb4cb4 100644 --- a/l10n/sv/files_trashbin.po +++ b/l10n/sv/files_trashbin.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: Magnus Höglund \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -52,21 +52,17 @@ msgstr "Namn" msgid "Deleted" msgstr "Raderad" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 mapp" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} mappar" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 fil" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} filer" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/sv/lib.po b/l10n/sv/lib.po index 3cbe75628a2..1f5f24739bf 100644 --- a/l10n/sv/lib.po +++ b/l10n/sv/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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -208,50 +208,46 @@ msgid "seconds ago" msgstr "sekunder sedan" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 minut sedan" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d minuter sedan" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "1 timme sedan" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "%d timmar sedan" - -#: template/functions.php:85 msgid "today" msgstr "i dag" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "i går" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d dagar sedan" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "förra månaden" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "%d månader sedan" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "förra året" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "år sedan" diff --git a/l10n/sw_KE/core.po b/l10n/sw_KE/core.po index 6d9e895375e..19567db98dd 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -137,59 +137,59 @@ msgstr "" msgid "December" msgstr "" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "" -#: js/js.js:814 -msgid "seconds ago" -msgstr "" - #: js/js.js:815 -msgid "1 minute ago" +msgid "seconds ago" msgstr "" #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" +msgid "today" msgstr "" #: js/js.js:819 -msgid "today" +msgid "yesterday" msgstr "" #: js/js.js:820 -msgid "yesterday" -msgstr "" +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:821 -msgid "{days} days ago" +msgid "last month" msgstr "" #: js/js.js:822 -msgid "last month" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:823 -msgid "{months} months ago" -msgstr "" - -#: js/js.js:824 msgid "months ago" msgstr "" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "" @@ -377,8 +377,9 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" msgstr "" #: lostpassword/templates/email.php:2 diff --git a/l10n/sw_KE/files.po b/l10n/sw_KE/files.po index 1187272d81b..d234fdfc7b3 100644 --- a/l10n/sw_KE/files.po +++ b/l10n/sw_KE/files.po @@ -7,8 +7,8 @@ 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" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -120,7 +120,7 @@ msgstr "" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:93 templates/index.php:94 +#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 msgid "Delete" msgstr "" @@ -128,7 +128,7 @@ msgstr "" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "" @@ -160,11 +160,13 @@ msgstr "" msgid "perform delete operation" msgstr "" -#: js/filelist.js:457 -msgid "1 file uploading" -msgstr "" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:460 js/filelist.js:518 +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -200,33 +202,29 @@ msgstr "" msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:69 +#: js/files.js:744 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:745 templates/index.php:80 +#: js/files.js:745 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:746 templates/index.php:82 +#: js/files.js:746 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:763 -msgid "1 folder" -msgstr "" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" -#: js/files.js:765 -msgid "{count} folders" -msgstr "" - -#: js/files.js:773 -msgid "1 file" -msgstr "" - -#: js/files.js:775 -msgid "{count} files" -msgstr "" +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format @@ -285,45 +283,45 @@ msgstr "" msgid "From link" msgstr "" -#: templates/index.php:42 +#: templates/index.php:41 msgid "Deleted files" msgstr "" -#: templates/index.php:48 +#: templates/index.php:46 msgid "Cancel upload" msgstr "" -#: templates/index.php:54 +#: templates/index.php:52 msgid "You don’t have write permissions here." msgstr "" -#: templates/index.php:61 +#: templates/index.php:59 msgid "Nothing in here. Upload something!" msgstr "" -#: templates/index.php:75 +#: templates/index.php:73 msgid "Download" msgstr "" -#: templates/index.php:87 templates/index.php:88 +#: templates/index.php:85 templates/index.php:86 msgid "Unshare" msgstr "" -#: templates/index.php:107 +#: templates/index.php:105 msgid "Upload too large" msgstr "" -#: templates/index.php:109 +#: templates/index.php:107 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "" -#: templates/index.php:114 +#: templates/index.php:112 msgid "Files are being scanned, please wait." msgstr "" -#: templates/index.php:117 +#: templates/index.php:115 msgid "Current scanning" msgstr "" diff --git a/l10n/sw_KE/files_trashbin.po b/l10n/sw_KE/files_trashbin.po index 1cce275797a..3edc43234c3 100644 --- a/l10n/sw_KE/files_trashbin.po +++ b/l10n/sw_KE/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-30 01:55-0400\n" -"PO-Revision-Date: 2013-07-30 05:56+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,17 @@ msgstr "" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" -#: js/trash.js:202 -msgid "1 file" -msgstr "" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "" +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/sw_KE/lib.po b/l10n/sw_KE/lib.po index 234a10d9d7a..ed7bf38925e 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,46 @@ msgid "seconds ago" msgstr "" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" +msgid "today" msgstr "" #: template/functions.php:84 -#, php-format -msgid "%d hours ago" +msgid "yesterday" msgstr "" #: template/functions.php:85 -msgid "today" -msgstr "" +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:86 -msgid "yesterday" +msgid "last month" msgstr "" #: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" #: 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 +#: template/functions.php:89 msgid "years ago" msgstr "" diff --git a/l10n/ta_LK/core.po b/l10n/ta_LK/core.po index 16950f600dc..b39ec3ce71b 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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:354 +#: js/js.js:355 msgid "Settings" msgstr "அமைப்புகள்" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "செக்கன்களுக்கு முன்" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 நிமிடத்திற்கு முன் " - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{நிமிடங்கள்} நிமிடங்களுக்கு முன் " +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1 மணித்தியாலத்திற்கு முன்" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{மணித்தியாலங்கள்} மணித்தியாலங்களிற்கு முன்" - -#: js/js.js:819 msgid "today" msgstr "இன்று" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "நேற்று" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{நாட்கள்} நாட்களுக்கு முன்" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "கடந்த மாதம்" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{மாதங்கள்} மாதங்களிற்கு முன்" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "மாதங்களுக்கு முன்" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "கடந்த வருடம்" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "வருடங்களுக்கு முன்" @@ -377,9 +377,10 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" -msgstr "ownCloud இன் கடவுச்சொல் மீளமைப்பு" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" +msgstr "" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/ta_LK/files.po b/l10n/ta_LK/files.po index c1d5cd594ed..22787fe4795 100644 --- a/l10n/ta_LK/files.po +++ b/l10n/ta_LK/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -128,7 +128,7 @@ msgstr "நீக்குக" msgid "Rename" msgstr "பெயர்மாற்றம்" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "நிலுவையிலுள்ள" @@ -160,11 +160,13 @@ msgstr "முன் செயல் நீக்கம் " msgid "perform delete operation" msgstr "" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 கோப்பு பதிவேற்றப்படுகிறது" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -212,21 +214,17 @@ msgstr "அளவு" msgid "Modified" msgstr "மாற்றப்பட்டது" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 கோப்புறை" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{எண்ணிக்கை} கோப்புறைகள்" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 கோப்பு" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{எண்ணிக்கை} கோப்புகள்" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/ta_LK/files_trashbin.po b/l10n/ta_LK/files_trashbin.po index 83e8e567650..6cf36b94cde 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,17 @@ msgstr "பெயர்" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 கோப்புறை" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{எண்ணிக்கை} கோப்புறைகள்" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 கோப்பு" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{எண்ணிக்கை} கோப்புகள்" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/ta_LK/lib.po b/l10n/ta_LK/lib.po index 783ff8f2259..7b29aad397e 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,46 @@ msgid "seconds ago" msgstr "செக்கன்களுக்கு முன்" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 நிமிடத்திற்கு முன் " +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d நிமிடங்களுக்கு முன்" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "1 மணித்தியாலத்திற்கு முன்" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "%d மணித்தியாலத்திற்கு முன்" - -#: template/functions.php:85 msgid "today" msgstr "இன்று" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "நேற்று" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d நாட்களுக்கு முன்" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "கடந்த மாதம்" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "%d மாதத்திற்கு முன்" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "கடந்த வருடம்" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "வருடங்களுக்கு முன்" diff --git a/l10n/te/core.po b/l10n/te/core.po index b295f594858..7cd1f3cd42e 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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:354 +#: js/js.js:355 msgid "Settings" msgstr "అమరికలు" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "క్షణాల క్రితం" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 నిమిషం క్రితం" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes} నిమిషాల క్రితం" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1 గంట క్రితం" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{hours} గంటల క్రితం" - -#: js/js.js:819 msgid "today" msgstr "ఈరోజు" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "నిన్న" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{days} రోజుల క్రితం" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "పోయిన నెల" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{months} నెలల క్రితం" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "నెలల క్రితం" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "పోయిన సంవత్సరం" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "సంవత్సరాల క్రితం" @@ -377,8 +377,9 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" msgstr "" #: lostpassword/templates/email.php:2 diff --git a/l10n/te/files.po b/l10n/te/files.po index c2e030fd6a4..0f9470cfbb8 100644 --- a/l10n/te/files.po +++ b/l10n/te/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -128,7 +128,7 @@ msgstr "తొలగించు" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "" @@ -160,11 +160,13 @@ msgstr "" msgid "perform delete operation" msgstr "" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -212,21 +214,17 @@ msgstr "పరిమాణం" msgid "Modified" msgstr "" -#: js/files.js:763 -msgid "1 folder" -msgstr "" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" -#: js/files.js:773 -msgid "1 file" -msgstr "" - -#: js/files.js:775 -msgid "{count} files" -msgstr "" +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/te/files_trashbin.po b/l10n/te/files_trashbin.po index 6fdda4a8c9a..b4d02b22558 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,17 @@ msgstr "పేరు" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "" - -#: js/trash.js:202 -msgid "1 file" -msgstr "" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/te/lib.po b/l10n/te/lib.po index eabcbd25c2f..ed3dcbca484 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,46 @@ msgid "seconds ago" msgstr "క్షణాల క్రితం" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 నిమిషం క్రితం" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "1 గంట క్రితం" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "" - -#: template/functions.php:85 msgid "today" msgstr "ఈరోజు" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "నిన్న" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "పోయిన నెల" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "పోయిన సంవత్సరం" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "సంవత్సరాల క్రితం" diff --git a/l10n/templates/core.pot b/l10n/templates/core.pot index 7b4ed939094..9c1e7c8a3e1 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-08-13 09:11-0400\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -16,6 +16,7 @@ msgstr "" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=INTEGER; plural=EXPRESSION;\n" #: ajax/share.php:97 #, php-format @@ -137,59 +138,59 @@ msgstr "" msgid "December" msgstr "" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "" -#: js/js.js:814 -msgid "seconds ago" -msgstr "" - #: js/js.js:815 -msgid "1 minute ago" +msgid "seconds ago" msgstr "" #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" +msgid "today" msgstr "" #: js/js.js:819 -msgid "today" +msgid "yesterday" msgstr "" #: js/js.js:820 -msgid "yesterday" -msgstr "" +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:821 -msgid "{days} days ago" +msgid "last month" msgstr "" #: js/js.js:822 -msgid "last month" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:823 -msgid "{months} months ago" -msgstr "" - -#: js/js.js:824 msgid "months ago" msgstr "" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "" @@ -377,8 +378,9 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" msgstr "" #: lostpassword/templates/email.php:2 diff --git a/l10n/templates/files.pot b/l10n/templates/files.pot index b019dcaf2ea..47e0ff68ec3 100644 --- a/l10n/templates/files.pot +++ b/l10n/templates/files.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-08-13 09:11-0400\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -16,6 +16,7 @@ msgstr "" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=INTEGER; plural=EXPRESSION;\n" #: ajax/move.php:17 #, php-format @@ -128,7 +129,7 @@ msgstr "" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "" @@ -160,11 +161,13 @@ msgstr "" msgid "perform delete operation" msgstr "" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -212,21 +215,17 @@ msgstr "" msgid "Modified" msgstr "" -#: js/files.js:763 -msgid "1 folder" -msgstr "" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" -#: js/files.js:773 -msgid "1 file" -msgstr "" - -#: js/files.js:775 -msgid "{count} files" -msgstr "" +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/templates/files_encryption.pot b/l10n/templates/files_encryption.pot index ccae79eeea5..362ebe2228c 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-08-13 09:11-0400\n" +"POT-Creation-Date: 2013-08-15 04:47-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 74b7c5caec2..c714c261018 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-08-13 09:11-0400\n" +"POT-Creation-Date: 2013-08-15 04:47-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_sharing.pot b/l10n/templates/files_sharing.pot index a60fec60e8a..79730114d3d 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-08-13 09:11-0400\n" +"POT-Creation-Date: 2013-08-15 04:47-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_trashbin.pot b/l10n/templates/files_trashbin.pot index a7e74b2c341..5ddde84ff38 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-08-13 09:11-0400\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -16,6 +16,7 @@ msgstr "" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=CHARSET\n" "Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=INTEGER; plural=EXPRESSION;\n" #: ajax/delete.php:42 #, php-format @@ -51,21 +52,17 @@ msgstr "" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" -#: js/trash.js:202 -msgid "1 file" -msgstr "" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "" +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/templates/files_versions.pot b/l10n/templates/files_versions.pot index b0a436cacda..dea5359fc0a 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-08-13 09:11-0400\n" +"POT-Creation-Date: 2013-08-15 04:47-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 50f5fe1c07a..a44a0949804 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-08-13 09:11-0400\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -16,6 +16,7 @@ msgstr "" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=CHARSET\n" "Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=INTEGER; plural=EXPRESSION;\n" #: app.php:360 msgid "Help" @@ -206,50 +207,46 @@ msgid "seconds ago" msgstr "" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" +msgid "today" msgstr "" #: template/functions.php:84 -#, php-format -msgid "%d hours ago" +msgid "yesterday" msgstr "" #: template/functions.php:85 -msgid "today" -msgstr "" +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:86 -msgid "yesterday" +msgid "last month" msgstr "" #: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" #: 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 +#: template/functions.php:89 msgid "years ago" msgstr "" diff --git a/l10n/templates/settings.pot b/l10n/templates/settings.pot index ab7005ac058..03a8a524e9a 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-08-13 09:11-0400\n" +"POT-Creation-Date: 2013-08-15 04:47-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_ldap.pot b/l10n/templates/user_ldap.pot index 45319f508c2..2c2db08e547 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-08-13 09:11-0400\n" +"POT-Creation-Date: 2013-08-15 04:47-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 1e3b3f5885a..40b6476b9df 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-08-13 09:11-0400\n" +"POT-Creation-Date: 2013-08-15 04:47-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 31137758bb5..b3859255177 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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,55 @@ msgstr "พฤศจิกายน" msgid "December" msgstr "ธันวาคม" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "ตั้งค่า" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "วินาที ก่อนหน้านี้" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 นาทีก่อนหน้านี้" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes} นาทีก่อนหน้านี้" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1 ชั่วโมงก่อนหน้านี้" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{hours} ชั่วโมงก่อนหน้านี้" - -#: js/js.js:819 msgid "today" msgstr "วันนี้" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "เมื่อวานนี้" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{day} วันก่อนหน้านี้" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "เดือนที่แล้ว" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{months} เดือนก่อนหน้านี้" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "เดือน ที่ผ่านมา" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "ปีที่แล้ว" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "ปี ที่ผ่านมา" @@ -377,9 +373,10 @@ msgstr "การอัพเดทไม่เป็นผลสำเร็จ msgid "The update was successful. Redirecting you to ownCloud now." msgstr "การอัพเดทเสร็จเรียบร้อยแล้ว กำลังเปลี่ยนเส้นทางไปที่ ownCloud อยู่ในขณะนี้" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" -msgstr "รีเซ็ตรหัสผ่าน ownCloud" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" +msgstr "" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/th_TH/files.po b/l10n/th_TH/files.po index cb5abcd2e66..107f5264514 100644 --- a/l10n/th_TH/files.po +++ b/l10n/th_TH/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -128,7 +128,7 @@ msgstr "ลบ" msgid "Rename" msgstr "เปลี่ยนชื่อ" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "อยู่ระหว่างดำเนินการ" @@ -160,11 +160,12 @@ msgstr "เลิกทำ" msgid "perform delete operation" msgstr "ดำเนินการตามคำสั่งลบ" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "กำลังอัพโหลดไฟล์ 1 ไฟล์" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "การอัพโหลดไฟล์" @@ -212,21 +213,15 @@ msgstr "ขนาด" msgid "Modified" msgstr "แก้ไขแล้ว" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 โฟลเดอร์" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} โฟลเดอร์" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 ไฟล์" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} ไฟล์" +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/app.php:73 #, php-format diff --git a/l10n/th_TH/files_trashbin.po b/l10n/th_TH/files_trashbin.po index c237d68d6db..d4723ca5dc7 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,15 @@ msgstr "ชื่อ" msgid "Deleted" msgstr "ลบแล้ว" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 โฟลเดอร์" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} โฟลเดอร์" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 ไฟล์" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} ไฟล์" +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/th_TH/lib.po b/l10n/th_TH/lib.po index b637350ae57..afaf5b524b6 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,42 @@ msgid "seconds ago" msgstr "วินาที ก่อนหน้านี้" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 นาทีก่อนหน้านี้" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d นาทีที่ผ่านมา" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "1 ชั่วโมงก่อนหน้านี้" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "%d ชั่วโมงก่อนหน้านี้" - -#: template/functions.php:85 msgid "today" msgstr "วันนี้" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "เมื่อวานนี้" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d วันที่ผ่านมา" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "เดือนที่แล้ว" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "%d เดือนมาแล้ว" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "ปีที่แล้ว" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "ปี ที่ผ่านมา" diff --git a/l10n/tr/core.po b/l10n/tr/core.po index 7ede4abab05..9cb943bb0ac 100644 --- a/l10n/tr/core.po +++ b/l10n/tr/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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -138,59 +138,59 @@ msgstr "Kasım" msgid "December" msgstr "Aralık" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Ayarlar" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "saniye önce" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 dakika önce" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes} dakika önce" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1 saat önce" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{hours} saat önce" - -#: js/js.js:819 msgid "today" msgstr "bugün" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "dün" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{days} gün önce" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "geçen ay" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{months} ay önce" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "ay önce" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "geçen yıl" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "yıl önce" @@ -378,9 +378,10 @@ msgstr "Güncelleme başarılı olmadı. Lütfen bu hatayı bildirin \n" "Language-Team: Turkish (http://www.transifex.com/projects/p/owncloud/language/tr/)\n" "MIME-Version: 1.0\n" @@ -129,7 +129,7 @@ msgstr "Sil" msgid "Rename" msgstr "İsim değiştir." -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Bekliyor" @@ -161,11 +161,13 @@ msgstr "geri al" msgid "perform delete operation" msgstr "Silme işlemini gerçekleştir" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 dosya yüklendi" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "Dosyalar yükleniyor" @@ -213,21 +215,17 @@ msgstr "Boyut" msgid "Modified" msgstr "Değiştirilme" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 dizin" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} dizin" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 dosya" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} dosya" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/tr/files_trashbin.po b/l10n/tr/files_trashbin.po index 2fb786621bb..91d3658658d 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,17 @@ msgstr "İsim" msgid "Deleted" msgstr "Silindi" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 dizin" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} dizin" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 dosya" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} dosya" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/tr/lib.po b/l10n/tr/lib.po index 7528170e9f9..61357f76689 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -207,50 +207,46 @@ msgid "seconds ago" msgstr "saniye önce" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 dakika önce" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d dakika önce" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "1 saat önce" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "%d saat önce" - -#: template/functions.php:85 msgid "today" msgstr "bugün" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "dün" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d gün önce" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "geçen ay" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "%d ay önce" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "geçen yıl" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "yıl önce" diff --git a/l10n/ug/core.po b/l10n/ug/core.po index 94de9a84563..962ef65e3e6 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+0000\n" "Last-Translator: I Robot \n" "Language-Team: Uighur \n" "MIME-Version: 1.0\n" @@ -137,59 +137,55 @@ msgstr "ئوغلاق" msgid "December" msgstr "كۆنەك" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "تەڭشەكلەر" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 مىنۇت ئىلگىرى" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1 سائەت ئىلگىرى" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "" - -#: js/js.js:819 msgid "today" msgstr "بۈگۈن" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "تۈنۈگۈن" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" + #: js/js.js:821 -msgid "{days} days ago" +msgid "last month" msgstr "" #: js/js.js:822 -msgid "last month" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" #: js/js.js:823 -msgid "{months} months ago" -msgstr "" - -#: js/js.js:824 msgid "months ago" msgstr "" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "" @@ -377,8 +373,9 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" msgstr "" #: lostpassword/templates/email.php:2 diff --git a/l10n/ug/files.po b/l10n/ug/files.po index efcb39c0c65..17201c81c7e 100644 --- a/l10n/ug/files.po +++ b/l10n/ug/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+0000\n" "Last-Translator: I Robot \n" "Language-Team: Uighur \n" "MIME-Version: 1.0\n" @@ -128,7 +128,7 @@ msgstr "ئۆچۈر" msgid "Rename" msgstr "ئات ئۆزگەرت" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "كۈتۈۋاتىدۇ" @@ -160,11 +160,12 @@ msgstr "يېنىۋال" msgid "perform delete operation" msgstr "" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 ھۆججەت يۈكلىنىۋاتىدۇ" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "ھۆججەت يۈكلىنىۋاتىدۇ" @@ -212,21 +213,15 @@ msgstr "چوڭلۇقى" msgid "Modified" msgstr "ئۆزگەرتكەن" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 قىسقۇچ" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/files.js:765 -msgid "{count} folders" -msgstr "" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 ھۆججەت" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} ھۆججەت" +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/app.php:73 #, php-format diff --git a/l10n/ug/files_trashbin.po b/l10n/ug/files_trashbin.po index 39319be3eaf..df0057cd76b 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+0000\n" "Last-Translator: I Robot \n" "Language-Team: Uighur \n" "MIME-Version: 1.0\n" @@ -51,21 +51,15 @@ msgstr "ئاتى" msgid "Deleted" msgstr "ئۆچۈرۈلدى" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 قىسقۇچ" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/trash.js:194 -msgid "{count} folders" -msgstr "" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 ھۆججەت" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} ھۆججەت" +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/ug/lib.po b/l10n/ug/lib.po index 48dee639b00..657d41ba627 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+0000\n" "Last-Translator: I Robot \n" "Language-Team: Uighur \n" "MIME-Version: 1.0\n" @@ -206,50 +206,42 @@ msgid "seconds ago" msgstr "" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 مىنۇت ئىلگىرى" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d مىنۇت ئىلگىرى" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "1 سائەت ئىلگىرى" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "%d سائەت ئىلگىرى" - -#: template/functions.php:85 msgid "today" msgstr "بۈگۈن" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "تۈنۈگۈن" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d كۈن ئىلگىرى" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "%d ئاي ئىلگىرى" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "" diff --git a/l10n/uk/core.po b/l10n/uk/core.po index 193731bd184..e5cc3c9037d 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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,63 @@ msgstr "Листопад" msgid "December" msgstr "Грудень" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Налаштування" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "секунди тому" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 хвилину тому" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes} хвилин тому" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1 годину тому" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{hours} години тому" - -#: js/js.js:819 msgid "today" msgstr "сьогодні" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "вчора" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{days} днів тому" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "минулого місяця" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{months} місяців тому" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "місяці тому" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "минулого року" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "роки тому" @@ -377,9 +381,10 @@ msgstr "Оновлення виконалось неуспішно. Будь л msgid "The update was successful. Redirecting you to ownCloud now." msgstr "Оновлення виконалось успішно. Перенаправляємо вас на ownCloud." -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" -msgstr "скидання пароля ownCloud" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" +msgstr "" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/uk/files.po b/l10n/uk/files.po index eea8f3ae20c..848b36fa68e 100644 --- a/l10n/uk/files.po +++ b/l10n/uk/files.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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-10 15:40+0000\n" -"Last-Translator: zubr139 \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -129,7 +129,7 @@ msgstr "Видалити" msgid "Rename" msgstr "Перейменувати" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Очікування" @@ -161,11 +161,14 @@ msgstr "відмінити" msgid "perform delete operation" msgstr "виконати операцію видалення" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 файл завантажується" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "файли завантажуються" @@ -213,21 +216,19 @@ msgstr "Розмір" msgid "Modified" msgstr "Змінено" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 папка" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} папок" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 файл" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} файлів" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: lib/app.php:73 #, php-format diff --git a/l10n/uk/files_trashbin.po b/l10n/uk/files_trashbin.po index 5fbe66a5b70..617e1276bfd 100644 --- a/l10n/uk/files_trashbin.po +++ b/l10n/uk/files_trashbin.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: Soul Kim \n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -52,21 +52,19 @@ msgstr "Ім'я" msgid "Deleted" msgstr "Видалено" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 папка" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} папок" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 файл" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} файлів" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/uk/lib.po b/l10n/uk/lib.po index b1abbd6210f..7c870f656c1 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,50 @@ msgid "seconds ago" msgstr "секунди тому" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 хвилину тому" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d хвилин тому" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "1 годину тому" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "%d годин тому" - -#: template/functions.php:85 msgid "today" msgstr "сьогодні" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "вчора" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d днів тому" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "минулого місяця" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "%d місяців тому" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "минулого року" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "роки тому" diff --git a/l10n/ur_PK/core.po b/l10n/ur_PK/core.po index 4ce8067cefa..4555d21ef8f 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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:354 +#: js/js.js:355 msgid "Settings" msgstr "سیٹینگز" -#: js/js.js:814 -msgid "seconds ago" -msgstr "" - #: js/js.js:815 -msgid "1 minute ago" +msgid "seconds ago" msgstr "" #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:818 -msgid "{hours} hours ago" +msgid "today" msgstr "" #: js/js.js:819 -msgid "today" +msgid "yesterday" msgstr "" #: js/js.js:820 -msgid "yesterday" -msgstr "" +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:821 -msgid "{days} days ago" +msgid "last month" msgstr "" #: js/js.js:822 -msgid "last month" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" #: js/js.js:823 -msgid "{months} months ago" -msgstr "" - -#: js/js.js:824 msgid "months ago" msgstr "" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "" @@ -377,9 +377,10 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" -msgstr "اون کلاؤڈ پاسورڈ ری سیٹ" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" +msgstr "" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/ur_PK/files.po b/l10n/ur_PK/files.po index b2f06ff4430..398838a0f1f 100644 --- a/l10n/ur_PK/files.po +++ b/l10n/ur_PK/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -128,7 +128,7 @@ msgstr "" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "" @@ -160,11 +160,13 @@ msgstr "" msgid "perform delete operation" msgstr "" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" +msgstr[1] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -212,21 +214,17 @@ msgstr "" msgid "Modified" msgstr "" -#: js/files.js:763 -msgid "1 folder" -msgstr "" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" -#: js/files.js:773 -msgid "1 file" -msgstr "" - -#: js/files.js:775 -msgid "{count} files" -msgstr "" +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/app.php:73 #, php-format diff --git a/l10n/ur_PK/files_trashbin.po b/l10n/ur_PK/files_trashbin.po index d85ab6432fa..7ccb9117fbd 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,17 @@ msgstr "" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" +msgstr[1] "" -#: js/trash.js:202 -msgid "1 file" -msgstr "" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "" +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" +msgstr[1] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/ur_PK/lib.po b/l10n/ur_PK/lib.po index ad996c8d728..4c170b1074a 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,46 @@ msgid "seconds ago" msgstr "" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:83 -msgid "1 hour ago" +msgid "today" msgstr "" #: template/functions.php:84 -#, php-format -msgid "%d hours ago" +msgid "yesterday" msgstr "" #: template/functions.php:85 -msgid "today" -msgstr "" +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" +msgstr[1] "" #: template/functions.php:86 -msgid "yesterday" +msgid "last month" msgstr "" #: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "" +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" +msgstr[1] "" #: 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 +#: template/functions.php:89 msgid "years ago" msgstr "" diff --git a/l10n/vi/core.po b/l10n/vi/core.po index 72441fce39d..b8bfc91292b 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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,55 @@ msgstr "Tháng 11" msgid "December" msgstr "Tháng 12" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "Cài đặt" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "vài giây trước" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 phút trước" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes} phút trước" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1 giờ trước" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{hours} giờ trước" - -#: js/js.js:819 msgid "today" msgstr "hôm nay" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "hôm qua" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{days} ngày trước" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "tháng trước" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{months} tháng trước" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "tháng trước" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "năm trước" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "năm trước" @@ -378,9 +374,10 @@ msgstr "Cập nhật không thành công . Vui lòng thông báo đến \n" "Language-Team: Vietnamese (http://www.transifex.com/projects/p/owncloud/language/vi/)\n" "MIME-Version: 1.0\n" @@ -129,7 +129,7 @@ msgstr "Xóa" msgid "Rename" msgstr "Sửa tên" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "Đang chờ" @@ -161,11 +161,12 @@ msgstr "lùi lại" msgid "perform delete operation" msgstr "thực hiện việc xóa" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 tệp tin đang được tải lên" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "tệp tin đang được tải lên" @@ -213,21 +214,15 @@ msgstr "Kích cỡ" msgid "Modified" msgstr "Thay đổi" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 thư mục" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} thư mục" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 tập tin" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} tập tin" +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/app.php:73 #, php-format diff --git a/l10n/vi/files_trashbin.po b/l10n/vi/files_trashbin.po index b69967e63f5..c0a3d67ec4a 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,15 @@ msgstr "Tên" msgid "Deleted" msgstr "Đã xóa" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 thư mục" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} thư mục" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 tập tin" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} tập tin" +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/vi/lib.po b/l10n/vi/lib.po index 1c48010ea94..e7c2745b8dd 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,42 @@ msgid "seconds ago" msgstr "vài giây trước" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 phút trước" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d phút trước" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "1 giờ trước" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "%d giờ trước" - -#: template/functions.php:85 msgid "today" msgstr "hôm nay" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "hôm qua" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d ngày trước" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "tháng trước" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "%d tháng trước" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "năm trước" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "năm trước" diff --git a/l10n/zh_CN.GB2312/core.po b/l10n/zh_CN.GB2312/core.po index da50021469e..d49b821a1b4 100644 --- a/l10n/zh_CN.GB2312/core.po +++ b/l10n/zh_CN.GB2312/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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -140,59 +140,55 @@ msgstr "十一月" msgid "December" msgstr "十二月" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "设置" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "秒前" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 分钟前" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes} 分钟前" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1小时前" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{hours}小时前" - -#: js/js.js:819 msgid "today" msgstr "今天" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "昨天" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{days} 天前" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "上个月" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{months}月前" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "月前" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "去年" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "年前" @@ -380,9 +376,10 @@ msgstr "升级失败。请向\n" "Language-Team: Chinese (China) (GB2312) (http://www.transifex.com/projects/p/owncloud/language/zh_CN.GB2312/)\n" "MIME-Version: 1.0\n" @@ -129,7 +129,7 @@ msgstr "删除" msgid "Rename" msgstr "重命名" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "等待中" @@ -161,11 +161,12 @@ msgstr "撤销" msgid "perform delete operation" msgstr "执行删除" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 个文件正在上传" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "个文件正在上传" @@ -213,21 +214,15 @@ msgstr "大小" msgid "Modified" msgstr "修改日期" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 个文件夹" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} 个文件夹" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 个文件" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} 个文件" +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/app.php:73 #, php-format diff --git a/l10n/zh_CN.GB2312/files_trashbin.po b/l10n/zh_CN.GB2312/files_trashbin.po index 861e81116ef..2de2aefb281 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,15 @@ msgstr "名称" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 个文件夹" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} 个文件夹" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 个文件" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} 个文件" +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/zh_CN.GB2312/lib.po b/l10n/zh_CN.GB2312/lib.po index 4a5edd4eb90..7778e2a7cf9 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,42 @@ msgid "seconds ago" msgstr "秒前" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 分钟前" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d 分钟前" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "1小时前" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "" - -#: template/functions.php:85 msgid "today" msgstr "今天" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "昨天" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d 天前" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "上个月" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "去年" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "年前" diff --git a/l10n/zh_CN/core.po b/l10n/zh_CN/core.po index 69afa4418f4..e77bfe2828e 100644 --- a/l10n/zh_CN/core.po +++ b/l10n/zh_CN/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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -139,59 +139,55 @@ msgstr "十一月" msgid "December" msgstr "十二月" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "设置" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "秒前" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "一分钟前" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes} 分钟前" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1小时前" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{hours} 小时前" - -#: js/js.js:819 msgid "today" msgstr "今天" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "昨天" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{days} 天前" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "上月" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{months} 月前" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "月前" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "去年" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "年前" @@ -379,9 +375,10 @@ msgstr "更新不成功。请汇报将此问题汇报给 \n" "Language-Team: Chinese (China) (http://www.transifex.com/projects/p/owncloud/language/zh_CN/)\n" "MIME-Version: 1.0\n" @@ -131,7 +131,7 @@ msgstr "删除" msgid "Rename" msgstr "重命名" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "等待" @@ -163,11 +163,12 @@ msgstr "撤销" msgid "perform delete operation" msgstr "进行删除操作" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1个文件上传中" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "文件上传中" @@ -215,21 +216,15 @@ msgstr "大小" msgid "Modified" msgstr "修改日期" -#: js/files.js:763 -msgid "1 folder" -msgstr "1个文件夹" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} 个文件夹" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 个文件" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} 个文件" +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/app.php:73 #, php-format diff --git a/l10n/zh_CN/files_trashbin.po b/l10n/zh_CN/files_trashbin.po index cc5197cd7ae..9be866b5f3e 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,15 @@ msgstr "名称" msgid "Deleted" msgstr "已删除" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1个文件夹" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} 个文件夹" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 个文件" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} 个文件" +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/zh_CN/lib.po b/l10n/zh_CN/lib.po index 42595eb834b..79efb5ea2f0 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -207,50 +207,42 @@ msgid "seconds ago" msgstr "秒前" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "一分钟前" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d 分钟前" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "1小时前" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "%d小时前" - -#: template/functions.php:85 msgid "today" msgstr "今天" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "昨天" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d 天前" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "上月" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "%d 月前" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "去年" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "年前" diff --git a/l10n/zh_HK/core.po b/l10n/zh_HK/core.po index 9ffbcd611bf..8c3d1f0833b 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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,55 @@ msgstr "十一月" msgid "December" msgstr "十二月" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "設定" -#: js/js.js:814 -msgid "seconds ago" -msgstr "" - #: js/js.js:815 -msgid "1 minute ago" +msgid "seconds ago" msgstr "" #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "" - -#: js/js.js:819 msgid "today" msgstr "今日" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "昨日" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "前一月" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "個月之前" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "" @@ -377,8 +373,9 @@ msgstr "" msgid "The update was successful. Redirecting you to ownCloud now." msgstr "更新成功, 正" -#: lostpassword/controller.php:60 -msgid "ownCloud password reset" +#: lostpassword/controller.php:61 +#, php-format +msgid "%s password reset" msgstr "" #: lostpassword/templates/email.php:2 diff --git a/l10n/zh_HK/files.po b/l10n/zh_HK/files.po index bcfe27f804a..32ba5c844bf 100644 --- a/l10n/zh_HK/files.po +++ b/l10n/zh_HK/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -128,7 +128,7 @@ msgstr "刪除" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "" @@ -160,11 +160,12 @@ msgstr "" msgid "perform delete operation" msgstr "" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "" @@ -212,21 +213,15 @@ msgstr "" msgid "Modified" msgstr "" -#: js/files.js:763 -msgid "1 folder" -msgstr "" - -#: js/files.js:765 -msgid "{count} folders" -msgstr "{}文件夾" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/files.js:773 -msgid "1 file" -msgstr "" - -#: js/files.js:775 -msgid "{count} files" -msgstr "" +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/app.php:73 #, php-format diff --git a/l10n/zh_HK/files_trashbin.po b/l10n/zh_HK/files_trashbin.po index f6d1a1f771e..31ad547f9b1 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,15 @@ msgstr "名稱" msgid "Deleted" msgstr "" -#: js/trash.js:192 -msgid "1 folder" -msgstr "" - -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{}文件夾" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/trash.js:202 -msgid "1 file" -msgstr "" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "" +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/zh_HK/lib.po b/l10n/zh_HK/lib.po index 49bbac659bb..f9da45cb7cf 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -206,50 +206,42 @@ msgid "seconds ago" msgstr "" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: 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 +#: template/functions.php:84 msgid "yesterday" msgstr "昨日" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "前一月" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "" diff --git a/l10n/zh_TW/core.po b/l10n/zh_TW/core.po index 6937d38e06b..2014ec345c8 100644 --- a/l10n/zh_TW/core.po +++ b/l10n/zh_TW/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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:07+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -139,59 +139,55 @@ msgstr "十一月" msgid "December" msgstr "十二月" -#: js/js.js:354 +#: js/js.js:355 msgid "Settings" msgstr "設定" -#: js/js.js:814 +#: js/js.js:815 msgid "seconds ago" msgstr "幾秒前" -#: js/js.js:815 -msgid "1 minute ago" -msgstr "1 分鐘前" - #: js/js.js:816 -msgid "{minutes} minutes ago" -msgstr "{minutes} 分鐘前" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: js/js.js:817 -msgid "1 hour ago" -msgstr "1 小時之前" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: js/js.js:818 -msgid "{hours} hours ago" -msgstr "{hours} 小時前" - -#: js/js.js:819 msgid "today" msgstr "今天" -#: js/js.js:820 +#: js/js.js:819 msgid "yesterday" msgstr "昨天" -#: js/js.js:821 -msgid "{days} days ago" -msgstr "{days} 天前" +#: js/js.js:820 +msgid "%n day ago" +msgid_plural "%n days ago" +msgstr[0] "" -#: js/js.js:822 +#: js/js.js:821 msgid "last month" msgstr "上個月" -#: js/js.js:823 -msgid "{months} months ago" -msgstr "{months} 個月前" +#: js/js.js:822 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" -#: js/js.js:824 +#: js/js.js:823 msgid "months ago" msgstr "幾個月前" -#: js/js.js:825 +#: js/js.js:824 msgid "last year" msgstr "去年" -#: js/js.js:826 +#: js/js.js:825 msgid "years ago" msgstr "幾年前" @@ -379,9 +375,10 @@ msgstr "升級失敗,請將此問題回報 \n" "Language-Team: Chinese (Taiwan) (http://www.transifex.com/projects/p/owncloud/language/zh_TW/)\n" "MIME-Version: 1.0\n" @@ -129,7 +129,7 @@ msgstr "刪除" msgid "Rename" msgstr "重新命名" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:466 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 msgid "Pending" msgstr "等候中" @@ -161,11 +161,12 @@ msgstr "復原" msgid "perform delete operation" msgstr "進行刪除動作" -#: js/filelist.js:458 -msgid "1 file uploading" -msgstr "1 個檔案正在上傳" +#: js/filelist.js:455 +msgid "Uploading %n file" +msgid_plural "Uploading %n files" +msgstr[0] "" -#: js/filelist.js:461 js/filelist.js:519 +#: js/filelist.js:520 msgid "files uploading" msgstr "檔案正在上傳中" @@ -213,21 +214,15 @@ msgstr "大小" msgid "Modified" msgstr "修改" -#: js/files.js:763 -msgid "1 folder" -msgstr "1 個資料夾" +#: js/files.js:762 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/files.js:765 -msgid "{count} folders" -msgstr "{count} 個資料夾" - -#: js/files.js:773 -msgid "1 file" -msgstr "1 個檔案" - -#: js/files.js:775 -msgid "{count} files" -msgstr "{count} 個檔案" +#: js/files.js:768 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/app.php:73 #, php-format diff --git a/l10n/zh_TW/files_trashbin.po b/l10n/zh_TW/files_trashbin.po index ca7ca5130f1..f51e340bf86 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -51,21 +51,15 @@ msgstr "名稱" msgid "Deleted" msgstr "已刪除" -#: js/trash.js:192 -msgid "1 folder" -msgstr "1 個資料夾" +#: js/trash.js:191 +msgid "%n folder" +msgid_plural "%n folders" +msgstr[0] "" -#: js/trash.js:194 -msgid "{count} folders" -msgstr "{count} 個資料夾" - -#: js/trash.js:202 -msgid "1 file" -msgstr "1 個檔案" - -#: js/trash.js:204 -msgid "{count} files" -msgstr "{count} 個檔案" +#: js/trash.js:197 +msgid "%n file" +msgid_plural "%n files" +msgstr[0] "" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/zh_TW/lib.po b/l10n/zh_TW/lib.po index e95a387cf3f..9f99db8fe3c 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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 12:08+0000\n" +"POT-Creation-Date: 2013-08-15 04:47-0400\n" +"PO-Revision-Date: 2013-08-15 08:48+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" @@ -207,50 +207,42 @@ msgid "seconds ago" msgstr "幾秒前" #: template/functions.php:81 -msgid "1 minute ago" -msgstr "1 分鐘前" +msgid "%n minute ago" +msgid_plural "%n minutes ago" +msgstr[0] "" #: template/functions.php:82 -#, php-format -msgid "%d minutes ago" -msgstr "%d 分鐘前" +msgid "%n hour ago" +msgid_plural "%n hours ago" +msgstr[0] "" #: template/functions.php:83 -msgid "1 hour ago" -msgstr "1 小時之前" - -#: template/functions.php:84 -#, php-format -msgid "%d hours ago" -msgstr "%d 小時之前" - -#: template/functions.php:85 msgid "today" msgstr "今天" -#: template/functions.php:86 +#: template/functions.php:84 msgid "yesterday" msgstr "昨天" -#: template/functions.php:87 -#, php-format -msgid "%d days ago" -msgstr "%d 天前" +#: template/functions.php:85 +msgid "%n day go" +msgid_plural "%n days ago" +msgstr[0] "" -#: template/functions.php:88 +#: template/functions.php:86 msgid "last month" msgstr "上個月" -#: template/functions.php:89 -#, php-format -msgid "%d months ago" -msgstr "%d 個月之前" +#: template/functions.php:87 +msgid "%n month ago" +msgid_plural "%n months ago" +msgstr[0] "" -#: template/functions.php:90 +#: template/functions.php:88 msgid "last year" msgstr "去年" -#: template/functions.php:91 +#: template/functions.php:89 msgid "years ago" msgstr "幾年前" diff --git a/lib/l10n/af_ZA.php b/lib/l10n/af_ZA.php index d17df6563bc..a1fa3c848d2 100644 --- a/lib/l10n/af_ZA.php +++ b/lib/l10n/af_ZA.php @@ -5,6 +5,10 @@ $TRANSLATIONS = array( "Settings" => "Instellings", "Users" => "Gebruikers", "Admin" => "Admin", -"web services under your control" => "webdienste onder jou beheer" +"web services under your control" => "webdienste onder jou beheer", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day go_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,) ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/lib/l10n/ar.php b/lib/l10n/ar.php index ca48fc39f9b..8225fd17a2f 100644 --- a/lib/l10n/ar.php +++ b/lib/l10n/ar.php @@ -37,15 +37,13 @@ $TRANSLATIONS = array( "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" => "منذ ثواني", -"1 minute ago" => "منذ دقيقة", -"%d minutes ago" => "%d دقيقة مضت", -"1 hour ago" => "قبل ساعة مضت", -"%d hours ago" => "%d ساعة مضت", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "اليوم", "yesterday" => "يوم أمس", -"%d days ago" => "%d يوم مضى", +"_%n day go_::_%n days ago_" => array(,), "last month" => "الشهر الماضي", -"%d months ago" => "%d شهر مضت", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "السنةالماضية", "years ago" => "سنة مضت", "Could not find category \"%s\"" => "تعذر العثور على المجلد \"%s\"" diff --git a/lib/l10n/be.php b/lib/l10n/be.php new file mode 100644 index 00000000000..a5d399a3105 --- /dev/null +++ b/lib/l10n/be.php @@ -0,0 +1,8 @@ + array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day go_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,) +); +$PLURAL_FORMS = "nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"; diff --git a/lib/l10n/bg_BG.php b/lib/l10n/bg_BG.php index a366199235e..021d924d380 100644 --- a/lib/l10n/bg_BG.php +++ b/lib/l10n/bg_BG.php @@ -38,15 +38,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Вашият web сървър все още не е удачно настроен да позволява синхронизация на файлове, защото WebDAV интерфейсът изглежда не работи.", "Please double check the installation guides." => "Моля направете повторна справка с ръководството за инсталиране.", "seconds ago" => "преди секунди", -"1 minute ago" => "преди 1 минута", -"%d minutes ago" => "преди %d минути", -"1 hour ago" => "преди 1 час", -"%d hours ago" => "преди %d часа", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "днес", "yesterday" => "вчера", -"%d days ago" => "преди %d дни", +"_%n day go_::_%n days ago_" => array(,), "last month" => "последният месец", -"%d months ago" => "преди %d месеца", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "последната година", "years ago" => "последните години", "Could not find category \"%s\"" => "Невъзможно откриване на категорията \"%s\"" diff --git a/lib/l10n/bn_BD.php b/lib/l10n/bn_BD.php index 2e89f1034f2..5b3610d9846 100644 --- a/lib/l10n/bn_BD.php +++ b/lib/l10n/bn_BD.php @@ -16,13 +16,13 @@ $TRANSLATIONS = array( "Files" => "ফাইল", "Text" => "টেক্সট", "seconds ago" => "সেকেন্ড পূর্বে", -"1 minute ago" => "১ মিনিট পূর্বে", -"%d minutes ago" => "%d মিনিট পূর্বে", -"1 hour ago" => "1 ঘন্টা পূর্বে", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "আজ", "yesterday" => "গতকাল", -"%d days ago" => "%d দিন পূর্বে", +"_%n day go_::_%n days ago_" => array(,), "last month" => "গত মাস", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "গত বছর", "years ago" => "বছর পূর্বে" ); diff --git a/lib/l10n/bs.php b/lib/l10n/bs.php new file mode 100644 index 00000000000..aa8e01b803d --- /dev/null +++ b/lib/l10n/bs.php @@ -0,0 +1,8 @@ + array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day go_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,) +); +$PLURAL_FORMS = "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"; diff --git a/lib/l10n/ca.php b/lib/l10n/ca.php index bf7c3f8b459..a14c12ba964 100644 --- a/lib/l10n/ca.php +++ b/lib/l10n/ca.php @@ -41,15 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "El servidor web no està configurat correctament per permetre la sincronització de fitxers perquè la interfície WebDAV sembla no funcionar correctament.", "Please double check the installation guides." => "Comproveu les guies d'instal·lació.", "seconds ago" => "segons enrere", -"1 minute ago" => "fa 1 minut", -"%d minutes ago" => "fa %d minuts", -"1 hour ago" => "fa 1 hora", -"%d hours ago" => "fa %d hores", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "avui", "yesterday" => "ahir", -"%d days ago" => "fa %d dies", +"_%n day go_::_%n days ago_" => array(,), "last month" => "el mes passat", -"%d months ago" => "fa %d mesos", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "l'any passat", "years ago" => "anys enrere", "Caused by:" => "Provocat per:", diff --git a/lib/l10n/cs_CZ.php b/lib/l10n/cs_CZ.php index c0e0ac6a67b..48f51361eef 100644 --- a/lib/l10n/cs_CZ.php +++ b/lib/l10n/cs_CZ.php @@ -41,15 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Váš webový server není správně nastaven pro umožnění synchronizace, rozhraní WebDAV se zdá být rozbité.", "Please double check the installation guides." => "Zkonzultujte, prosím, průvodce instalací.", "seconds ago" => "před pár sekundami", -"1 minute ago" => "před minutou", -"%d minutes ago" => "před %d minutami", -"1 hour ago" => "před hodinou", -"%d hours ago" => "před %d hodinami", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "dnes", "yesterday" => "včera", -"%d days ago" => "před %d dny", +"_%n day go_::_%n days ago_" => array(,), "last month" => "minulý měsíc", -"%d months ago" => "před %d měsíci", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "minulý rok", "years ago" => "před lety", "Caused by:" => "Příčina:", diff --git a/lib/l10n/cy_GB.php b/lib/l10n/cy_GB.php index 15b54e4cc6e..9070897b164 100644 --- a/lib/l10n/cy_GB.php +++ b/lib/l10n/cy_GB.php @@ -37,15 +37,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Nid yw eich gweinydd wedi'i gyflunio eto i ganiatáu cydweddu ffeiliau oherwydd bod y rhyngwyneb WebDAV wedi torri.", "Please double check the installation guides." => "Gwiriwch y canllawiau gosod eto.", "seconds ago" => "eiliad yn ôl", -"1 minute ago" => "1 munud yn ôl", -"%d minutes ago" => "%d munud yn ôl", -"1 hour ago" => "1 awr yn ôl", -"%d hours ago" => "%d awr yn ôl", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "heddiw", "yesterday" => "ddoe", -"%d days ago" => "%d diwrnod yn ôl", +"_%n day go_::_%n days ago_" => array(,), "last month" => "mis diwethaf", -"%d months ago" => "%d mis yn ôl", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "y llynedd", "years ago" => "blwyddyn yn ôl", "Could not find category \"%s\"" => "Methu canfod categori \"%s\"" diff --git a/lib/l10n/da.php b/lib/l10n/da.php index 81650f7eeed..62a4bfda9e1 100644 --- a/lib/l10n/da.php +++ b/lib/l10n/da.php @@ -41,15 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Din webserver er endnu ikke sat op til at tillade fil synkronisering fordi WebDAV grænsefladen virker ødelagt.", "Please double check the installation guides." => "Dobbelttjek venligst installations vejledningerne.", "seconds ago" => "sekunder siden", -"1 minute ago" => "1 minut siden", -"%d minutes ago" => "%d minutter siden", -"1 hour ago" => "1 time siden", -"%d hours ago" => "%d timer siden", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "i dag", "yesterday" => "i går", -"%d days ago" => "%d dage siden", +"_%n day go_::_%n days ago_" => array(,), "last month" => "sidste måned", -"%d months ago" => "%d måneder siden", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "sidste år", "years ago" => "år siden", "Caused by:" => "Forårsaget af:", diff --git a/lib/l10n/de.php b/lib/l10n/de.php index c3bb8912f70..2a0eed151fa 100644 --- a/lib/l10n/de.php +++ b/lib/l10n/de.php @@ -41,15 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Dein Web-Server ist noch nicht für Datei-Synchronisation bereit, weil die WebDAV-Schnittstelle vermutlich defekt ist.", "Please double check the installation guides." => "Bitte prüfe die Installationsanleitungen.", "seconds ago" => "Gerade eben", -"1 minute ago" => "vor einer Minute", -"%d minutes ago" => "Vor %d Minuten", -"1 hour ago" => "Vor einer Stunde", -"%d hours ago" => "Vor %d Stunden", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "Heute", "yesterday" => "Gestern", -"%d days ago" => "Vor %d Tag(en)", +"_%n day go_::_%n days ago_" => array(,), "last month" => "Letzten Monat", -"%d months ago" => "Vor %d Monaten", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "Letztes Jahr", "years ago" => "Vor Jahren", "Caused by:" => "Verursacht durch:", diff --git a/lib/l10n/de_AT.php b/lib/l10n/de_AT.php new file mode 100644 index 00000000000..b2de92ed491 --- /dev/null +++ b/lib/l10n/de_AT.php @@ -0,0 +1,8 @@ + array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day go_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,) +); +$PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/lib/l10n/de_CH.php b/lib/l10n/de_CH.php index d100afef3f9..b98e1dc2f9c 100644 --- a/lib/l10n/de_CH.php +++ b/lib/l10n/de_CH.php @@ -41,15 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Ihr Web-Server ist noch nicht für eine Datei-Synchronisation konfiguriert, weil die WebDAV-Schnittstelle vermutlich defekt ist.", "Please double check the installation guides." => "Bitte prüfen Sie die Installationsanleitungen.", "seconds ago" => "Gerade eben", -"1 minute ago" => "Vor 1 Minute", -"%d minutes ago" => "Vor %d Minuten", -"1 hour ago" => "Vor einer Stunde", -"%d hours ago" => "Vor %d Stunden", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "Heute", "yesterday" => "Gestern", -"%d days ago" => "Vor %d Tag(en)", +"_%n day go_::_%n days ago_" => array(,), "last month" => "Letzten Monat", -"%d months ago" => "Vor %d Monaten", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "Letztes Jahr", "years ago" => "Vor Jahren", "Caused by:" => "Verursacht durch:", diff --git a/lib/l10n/de_DE.php b/lib/l10n/de_DE.php index 05cc103c869..104ca305208 100644 --- a/lib/l10n/de_DE.php +++ b/lib/l10n/de_DE.php @@ -41,15 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Ihr Web-Server ist noch nicht für eine Datei-Synchronisation konfiguriert, weil die WebDAV-Schnittstelle vermutlich defekt ist.", "Please double check the installation guides." => "Bitte prüfen Sie die Installationsanleitungen.", "seconds ago" => "Gerade eben", -"1 minute ago" => "Vor 1 Minute", -"%d minutes ago" => "Vor %d Minuten", -"1 hour ago" => "Vor einer Stunde", -"%d hours ago" => "Vor %d Stunden", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "Heute", "yesterday" => "Gestern", -"%d days ago" => "Vor %d Tag(en)", +"_%n day go_::_%n days ago_" => array(,), "last month" => "Letzten Monat", -"%d months ago" => "Vor %d Monaten", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "Letztes Jahr", "years ago" => "Vor Jahren", "Caused by:" => "Verursacht durch:", diff --git a/lib/l10n/el.php b/lib/l10n/el.php index 7433113f810..12b718d183f 100644 --- a/lib/l10n/el.php +++ b/lib/l10n/el.php @@ -41,15 +41,13 @@ $TRANSLATIONS = array( "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" => "δευτερόλεπτα πριν", -"1 minute ago" => "1 λεπτό πριν", -"%d minutes ago" => "%d λεπτά πριν", -"1 hour ago" => "1 ώρα πριν", -"%d hours ago" => "%d ώρες πριν", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "σήμερα", "yesterday" => "χτες", -"%d days ago" => "%d ημέρες πριν", +"_%n day go_::_%n days ago_" => array(,), "last month" => "τελευταίο μήνα", -"%d months ago" => "%d μήνες πριν", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "τελευταίο χρόνο", "years ago" => "χρόνια πριν", "Caused by:" => "Προκλήθηκε από:", diff --git a/lib/l10n/en@pirate.php b/lib/l10n/en@pirate.php index a86492d2a93..15f8256f3b3 100644 --- a/lib/l10n/en@pirate.php +++ b/lib/l10n/en@pirate.php @@ -1,5 +1,9 @@ "web services under your control" +"web services under your control" => "web services under your control", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day go_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,) ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/lib/l10n/eo.php b/lib/l10n/eo.php index 196cdd66900..b769292b8f8 100644 --- a/lib/l10n/eo.php +++ b/lib/l10n/eo.php @@ -34,15 +34,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Via TTT-servilo ankoraŭ ne ĝuste agordiĝis por permesi sinkronigi dosierojn ĉar la WebDAV-interfaco ŝajnas rompita.", "Please double check the installation guides." => "Bonvolu duoble kontroli la gvidilon por instalo.", "seconds ago" => "sekundoj antaŭe", -"1 minute ago" => "antaŭ 1 minuto", -"%d minutes ago" => "antaŭ %d minutoj", -"1 hour ago" => "antaŭ 1 horo", -"%d hours ago" => "antaŭ %d horoj", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "hodiaŭ", "yesterday" => "hieraŭ", -"%d days ago" => "antaŭ %d tagoj", +"_%n day go_::_%n days ago_" => array(,), "last month" => "lastamonate", -"%d months ago" => "antaŭ %d monatoj", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "lastajare", "years ago" => "jaroj antaŭe", "Could not find category \"%s\"" => "Ne troviĝis kategorio “%s”" diff --git a/lib/l10n/es.php b/lib/l10n/es.php index 70dc0c0e92c..36857786487 100644 --- a/lib/l10n/es.php +++ b/lib/l10n/es.php @@ -41,15 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Su servidor web aún no está configurado adecuadamente para permitir sincronización de archivos ya que la interfaz WebDAV parece no estar funcionando.", "Please double check the installation guides." => "Por favor, vuelva a comprobar las guías de instalación.", "seconds ago" => "hace segundos", -"1 minute ago" => "hace 1 minuto", -"%d minutes ago" => "hace %d minutos", -"1 hour ago" => "Hace 1 hora", -"%d hours ago" => "Hace %d horas", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "hoy", "yesterday" => "ayer", -"%d days ago" => "hace %d días", +"_%n day go_::_%n days ago_" => array(,), "last month" => "mes pasado", -"%d months ago" => "Hace %d meses", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "año pasado", "years ago" => "hace años", "Caused by:" => "Causado por:", diff --git a/lib/l10n/es_AR.php b/lib/l10n/es_AR.php index 6208e3eb472..5e27a74b5db 100644 --- a/lib/l10n/es_AR.php +++ b/lib/l10n/es_AR.php @@ -41,15 +41,13 @@ $TRANSLATIONS = array( "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" => "hace 1 hora", -"%d hours ago" => "hace %d horas", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "hoy", "yesterday" => "ayer", -"%d days ago" => "hace %d días", +"_%n day go_::_%n days ago_" => array(,), "last month" => "el mes pasado", -"%d months ago" => "hace %d meses", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "el año pasado", "years ago" => "años atrás", "Caused by:" => "Provocado por:", diff --git a/lib/l10n/et_EE.php b/lib/l10n/et_EE.php index 1dff8545240..cf6bf919158 100644 --- a/lib/l10n/et_EE.php +++ b/lib/l10n/et_EE.php @@ -41,15 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Veebiserveri ei ole veel korralikult seadistatud võimaldamaks failide sünkroniseerimist, kuna WebDAV liides näib olevat mittetoimiv.", "Please double check the installation guides." => "Palun tutvu veelkord paigalduse juhenditega.", "seconds ago" => "sekundit tagasi", -"1 minute ago" => "1 minut tagasi", -"%d minutes ago" => "%d minutit tagasi", -"1 hour ago" => "1 tund tagasi", -"%d hours ago" => "%d tundi tagasi", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "täna", "yesterday" => "eile", -"%d days ago" => "%d päeva tagasi", +"_%n day go_::_%n days ago_" => array(,), "last month" => "viimasel kuul", -"%d months ago" => "%d kuud tagasi", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "viimasel aastal", "years ago" => "aastat tagasi", "Caused by:" => "Põhjustaja:", diff --git a/lib/l10n/eu.php b/lib/l10n/eu.php index 006b3941513..b03e1868912 100644 --- a/lib/l10n/eu.php +++ b/lib/l10n/eu.php @@ -41,15 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Zure web zerbitzaria ez dago oraindik ongi konfiguratuta fitxategien sinkronizazioa egiteko, WebDAV interfazea ongi ez dagoela dirudi.", "Please double check the installation guides." => "Mesedez begiratu instalazio gidak.", "seconds ago" => "segundu", -"1 minute ago" => "orain dela minutu 1", -"%d minutes ago" => "orain dela %d minutu", -"1 hour ago" => "orain dela ordu bat", -"%d hours ago" => "orain dela %d ordu", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "gaur", "yesterday" => "atzo", -"%d days ago" => "orain dela %d egun", +"_%n day go_::_%n days ago_" => array(,), "last month" => "joan den hilabetean", -"%d months ago" => "orain dela %d hilabete", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "joan den urtean", "years ago" => "urte", "Caused by:" => "Honek eraginda:", diff --git a/lib/l10n/fa.php b/lib/l10n/fa.php index dd313d9d862..66c464cce39 100644 --- a/lib/l10n/fa.php +++ b/lib/l10n/fa.php @@ -38,15 +38,13 @@ $TRANSLATIONS = array( "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" => "ثانیه‌ها پیش", -"1 minute ago" => "1 دقیقه پیش", -"%d minutes ago" => "%d دقیقه پیش", -"1 hour ago" => "1 ساعت پیش", -"%d hours ago" => "%d ساعت پیش", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "امروز", "yesterday" => "دیروز", -"%d days ago" => "%d روز پیش", +"_%n day go_::_%n days ago_" => array(,), "last month" => "ماه قبل", -"%d months ago" => "%dماه پیش", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "سال قبل", "years ago" => "سال‌های قبل", "Could not find category \"%s\"" => "دسته بندی %s یافت نشد" diff --git a/lib/l10n/fi_FI.php b/lib/l10n/fi_FI.php index 7ce9fcaabca..50342caa098 100644 --- a/lib/l10n/fi_FI.php +++ b/lib/l10n/fi_FI.php @@ -34,15 +34,13 @@ $TRANSLATIONS = array( "Set an admin password." => "Aseta ylläpitäjän salasana.", "Please double check the installation guides." => "Lue tarkasti asennusohjeet.", "seconds ago" => "sekuntia sitten", -"1 minute ago" => "1 minuutti sitten", -"%d minutes ago" => "%d minuuttia sitten", -"1 hour ago" => "1 tunti sitten", -"%d hours ago" => "%d tuntia sitten", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "tänään", "yesterday" => "eilen", -"%d days ago" => "%d päivää sitten", +"_%n day go_::_%n days ago_" => array(,), "last month" => "viime kuussa", -"%d months ago" => "%d kuukautta sitten", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "viime vuonna", "years ago" => "vuotta sitten", "Could not find category \"%s\"" => "Luokkaa \"%s\" ei löytynyt" diff --git a/lib/l10n/fr.php b/lib/l10n/fr.php index 48e12f7b20f..21e4b561df5 100644 --- a/lib/l10n/fr.php +++ b/lib/l10n/fr.php @@ -38,15 +38,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Votre serveur web, n'est pas correctement configuré pour permettre la synchronisation des fichiers, car l'interface WebDav ne fonctionne pas comme il faut.", "Please double check the installation guides." => "Veuillez vous référer au guide d'installation.", "seconds ago" => "il y a quelques secondes", -"1 minute ago" => "il y a une minute", -"%d minutes ago" => "il y a %d minutes", -"1 hour ago" => "Il y a une heure", -"%d hours ago" => "Il y a %d heures", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "aujourd'hui", "yesterday" => "hier", -"%d days ago" => "il y a %d jours", +"_%n day go_::_%n days ago_" => array(,), "last month" => "le mois dernier", -"%d months ago" => "Il y a %d mois", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "l'année dernière", "years ago" => "il y a plusieurs années", "Could not find category \"%s\"" => "Impossible de trouver la catégorie \"%s\"" diff --git a/lib/l10n/gl.php b/lib/l10n/gl.php index 77d672e1450..9196fc6b6cf 100644 --- a/lib/l10n/gl.php +++ b/lib/l10n/gl.php @@ -41,15 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "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.", "Please double check the installation guides." => "Volva comprobar as guías de instalación", "seconds ago" => "segundos atrás", -"1 minute ago" => "hai 1 minuto", -"%d minutes ago" => "hai %d minutos", -"1 hour ago" => "Vai 1 hora", -"%d hours ago" => "Vai %d horas", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "hoxe", "yesterday" => "onte", -"%d days ago" => "hai %d días", +"_%n day go_::_%n days ago_" => array(,), "last month" => "último mes", -"%d months ago" => "Vai %d meses", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "último ano", "years ago" => "anos atrás", "Caused by:" => "Causado por:", diff --git a/lib/l10n/he.php b/lib/l10n/he.php index 8a33cb393fe..4190769f2b7 100644 --- a/lib/l10n/he.php +++ b/lib/l10n/he.php @@ -19,15 +19,13 @@ $TRANSLATIONS = array( "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" => "שניות", -"1 minute ago" => "לפני דקה אחת", -"%d minutes ago" => "לפני %d דקות", -"1 hour ago" => "לפני שעה", -"%d hours ago" => "לפני %d שעות", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "היום", "yesterday" => "אתמול", -"%d days ago" => "לפני %d ימים", +"_%n day go_::_%n days ago_" => array(,), "last month" => "חודש שעבר", -"%d months ago" => "לפני %d חודשים", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "שנה שעברה", "years ago" => "שנים", "Could not find category \"%s\"" => "לא ניתן למצוא את הקטגוריה „%s“" diff --git a/lib/l10n/hi.php b/lib/l10n/hi.php index efa06eec8a7..1e7605e4bbf 100644 --- a/lib/l10n/hi.php +++ b/lib/l10n/hi.php @@ -3,6 +3,10 @@ $TRANSLATIONS = array( "Help" => "सहयोग", "Personal" => "यक्तिगत", "Settings" => "सेटिंग्स", -"Users" => "उपयोगकर्ता" +"Users" => "उपयोगकर्ता", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day go_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,) ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/lib/l10n/hr.php b/lib/l10n/hr.php index 9223b4c9ccb..39298b4ccff 100644 --- a/lib/l10n/hr.php +++ b/lib/l10n/hr.php @@ -10,9 +10,13 @@ $TRANSLATIONS = array( "Files" => "Datoteke", "Text" => "Tekst", "seconds ago" => "sekundi prije", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "danas", "yesterday" => "jučer", +"_%n day go_::_%n days ago_" => array(,), "last month" => "prošli mjesec", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "prošlu godinu", "years ago" => "godina" ); diff --git a/lib/l10n/hu_HU.php b/lib/l10n/hu_HU.php index 6231d9c3cab..e3dc649b3a6 100644 --- a/lib/l10n/hu_HU.php +++ b/lib/l10n/hu_HU.php @@ -41,15 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "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.", "Please double check the installation guides." => "Kérjük tüzetesen tanulmányozza át a telepítési útmutatót.", "seconds ago" => "pár másodperce", -"1 minute ago" => "1 perce", -"%d minutes ago" => "%d perce", -"1 hour ago" => "1 órája", -"%d hours ago" => "%d órája", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "ma", "yesterday" => "tegnap", -"%d days ago" => "%d napja", +"_%n day go_::_%n days ago_" => array(,), "last month" => "múlt hónapban", -"%d months ago" => "%d hónapja", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "tavaly", "years ago" => "több éve", "Caused by:" => "Okozta:", diff --git a/lib/l10n/hy.php b/lib/l10n/hy.php new file mode 100644 index 00000000000..b2de92ed491 --- /dev/null +++ b/lib/l10n/hy.php @@ -0,0 +1,8 @@ + array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day go_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,) +); +$PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/lib/l10n/ia.php b/lib/l10n/ia.php index a7fee63892b..57ec37f4f4e 100644 --- a/lib/l10n/ia.php +++ b/lib/l10n/ia.php @@ -7,6 +7,10 @@ $TRANSLATIONS = array( "Admin" => "Administration", "web services under your control" => "servicios web sub tu controlo", "Files" => "Files", -"Text" => "Texto" +"Text" => "Texto", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day go_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,) ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/lib/l10n/id.php b/lib/l10n/id.php index d37c8c25493..4d2a10c3b85 100644 --- a/lib/l10n/id.php +++ b/lib/l10n/id.php @@ -37,15 +37,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Web server Anda belum dikonfigurasikan dengan baik untuk mengizinkan sinkronisasi berkas karena tampaknya antarmuka WebDAV rusak.", "Please double check the installation guides." => "Silakan periksa ulang panduan instalasi.", "seconds ago" => "beberapa detik yang lalu", -"1 minute ago" => "1 menit yang lalu", -"%d minutes ago" => "%d menit yang lalu", -"1 hour ago" => "1 jam yang lalu", -"%d hours ago" => "%d jam yang lalu", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "hari ini", "yesterday" => "kemarin", -"%d days ago" => "%d hari yang lalu", +"_%n day go_::_%n days ago_" => array(,), "last month" => "bulan kemarin", -"%d months ago" => "%d bulan yang lalu", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "tahun kemarin", "years ago" => "beberapa tahun lalu", "Could not find category \"%s\"" => "Tidak dapat menemukan kategori \"%s\"" diff --git a/lib/l10n/is.php b/lib/l10n/is.php index b1402f1df49..b3d63b060a7 100644 --- a/lib/l10n/is.php +++ b/lib/l10n/is.php @@ -17,15 +17,13 @@ $TRANSLATIONS = array( "Text" => "Texti", "Images" => "Myndir", "seconds ago" => "sek.", -"1 minute ago" => "Fyrir 1 mínútu", -"%d minutes ago" => "fyrir %d mínútum", -"1 hour ago" => "Fyrir 1 klst.", -"%d hours ago" => "fyrir %d klst.", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "í dag", "yesterday" => "í gær", -"%d days ago" => "fyrir %d dögum", +"_%n day go_::_%n days ago_" => array(,), "last month" => "síðasta mánuði", -"%d months ago" => "fyrir %d mánuðum", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "síðasta ári", "years ago" => "einhverjum árum", "Could not find category \"%s\"" => "Fann ekki flokkinn \"%s\"" diff --git a/lib/l10n/it.php b/lib/l10n/it.php index 50723eecbbe..3975eeebfac 100644 --- a/lib/l10n/it.php +++ b/lib/l10n/it.php @@ -41,15 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Il tuo server web non è configurato correttamente per consentire la sincronizzazione dei file poiché l'interfaccia WebDAV sembra essere danneggiata.", "Please double check the installation guides." => "Leggi attentamente le guide d'installazione.", "seconds ago" => "secondi fa", -"1 minute ago" => "Un minuto fa", -"%d minutes ago" => "%d minuti fa", -"1 hour ago" => "1 ora fa", -"%d hours ago" => "%d ore fa", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "oggi", "yesterday" => "ieri", -"%d days ago" => "%d giorni fa", +"_%n day go_::_%n days ago_" => array(,), "last month" => "mese scorso", -"%d months ago" => "%d mesi fa", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "anno scorso", "years ago" => "anni fa", "Caused by:" => "Causato da:", diff --git a/lib/l10n/ja_JP.php b/lib/l10n/ja_JP.php index 6561343eaee..6724a2c5ae2 100644 --- a/lib/l10n/ja_JP.php +++ b/lib/l10n/ja_JP.php @@ -41,15 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "WebDAVインタフェースが動作していないと考えられるため、あなたのWEBサーバはまだファイルの同期を許可するように適切な設定がされていません。", "Please double check the installation guides." => "インストールガイドをよく確認してください。", "seconds ago" => "数秒前", -"1 minute ago" => "1 分前", -"%d minutes ago" => "%d 分前", -"1 hour ago" => "1 時間前", -"%d hours ago" => "%d 時間前", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "今日", "yesterday" => "昨日", -"%d days ago" => "%d 日前", +"_%n day go_::_%n days ago_" => array(,), "last month" => "一月前", -"%d months ago" => "%d 分前", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "一年前", "years ago" => "年前", "Caused by:" => "原因は以下:", diff --git a/lib/l10n/ka.php b/lib/l10n/ka.php index b6e06997638..d5f9c783b65 100644 --- a/lib/l10n/ka.php +++ b/lib/l10n/ka.php @@ -7,11 +7,11 @@ $TRANSLATIONS = array( "ZIP download is turned off." => "ZIP გადმოწერა გამორთულია", "Files" => "ფაილები", "seconds ago" => "წამის წინ", -"1 minute ago" => "1 წუთის წინ", -"%d minutes ago" => "%d წუთის წინ", -"1 hour ago" => "1 საათის წინ", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "დღეს", "yesterday" => "გუშინ", -"%d days ago" => "%d დღის წინ" +"_%n day go_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,) ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/lib/l10n/ka_GE.php b/lib/l10n/ka_GE.php index c03cccf1361..83a8f0415e1 100644 --- a/lib/l10n/ka_GE.php +++ b/lib/l10n/ka_GE.php @@ -37,15 +37,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "თქვენი web სერვერი არ არის კონფიგურირებული ფაილ სინქრონიზაციისთვის, რადგან WebDAV ინტერფეისი შეიძლება იყოს გატეხილი.", "Please double check the installation guides." => "გთხოვთ გადაათვალიეროთ ინსტალაციის გზამკვლევი.", "seconds ago" => "წამის წინ", -"1 minute ago" => "1 წუთის წინ", -"%d minutes ago" => "%d წუთის წინ", -"1 hour ago" => "1 საათის წინ", -"%d hours ago" => "%d საათის წინ", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "დღეს", "yesterday" => "გუშინ", -"%d days ago" => "%d დღის წინ", +"_%n day go_::_%n days ago_" => array(,), "last month" => "გასულ თვეში", -"%d months ago" => "%d თვის წინ", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "ბოლო წელს", "years ago" => "წლის წინ", "Could not find category \"%s\"" => "\"%s\" კატეგორიის მოძებნა ვერ მოხერხდა" diff --git a/lib/l10n/kn.php b/lib/l10n/kn.php new file mode 100644 index 00000000000..7ffe04ae962 --- /dev/null +++ b/lib/l10n/kn.php @@ -0,0 +1,8 @@ + array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day go_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,) +); +$PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/lib/l10n/ko.php b/lib/l10n/ko.php index 734b6c6a072..d23dd51665a 100644 --- a/lib/l10n/ko.php +++ b/lib/l10n/ko.php @@ -27,15 +27,13 @@ $TRANSLATIONS = array( "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" => "초 전", -"1 minute ago" => "1분 전", -"%d minutes ago" => "%d분 전", -"1 hour ago" => "1시간 전", -"%d hours ago" => "%d시간 전", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "오늘", "yesterday" => "어제", -"%d days ago" => "%d일 전", +"_%n day go_::_%n days ago_" => array(,), "last month" => "지난 달", -"%d months ago" => "%d개월 전", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "작년", "years ago" => "년 전", "Could not find category \"%s\"" => "분류 \"%s\"을(를) 찾을 수 없습니다." diff --git a/lib/l10n/ku_IQ.php b/lib/l10n/ku_IQ.php index a2a6e237b99..b17b3a86992 100644 --- a/lib/l10n/ku_IQ.php +++ b/lib/l10n/ku_IQ.php @@ -4,6 +4,10 @@ $TRANSLATIONS = array( "Settings" => "ده‌ستكاری", "Users" => "به‌كارهێنه‌ر", "Admin" => "به‌ڕێوه‌به‌ری سه‌ره‌كی", -"web services under your control" => "ڕاژه‌ی وێب له‌ژێر چاودێریت دایه" +"web services under your control" => "ڕاژه‌ی وێب له‌ژێر چاودێریت دایه", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day go_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,) ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/lib/l10n/lb.php b/lib/l10n/lb.php index 84114a6926d..a32a1fe8647 100644 --- a/lib/l10n/lb.php +++ b/lib/l10n/lb.php @@ -10,11 +10,13 @@ $TRANSLATIONS = array( "Files" => "Dateien", "Text" => "SMS", "seconds ago" => "Sekonnen hir", -"1 minute ago" => "1 Minutt hir", -"1 hour ago" => "vrun 1 Stonn", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "haut", "yesterday" => "gëschter", +"_%n day go_::_%n days ago_" => array(,), "last month" => "Läschte Mount", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "Läscht Joer", "years ago" => "Joren hier" ); diff --git a/lib/l10n/lt_LT.php b/lib/l10n/lt_LT.php index 4aab3f1113d..8d90cf52a70 100644 --- a/lib/l10n/lt_LT.php +++ b/lib/l10n/lt_LT.php @@ -17,15 +17,13 @@ $TRANSLATIONS = array( "Text" => "Žinučių", "Images" => "Paveikslėliai", "seconds ago" => "prieš sekundę", -"1 minute ago" => "Prieš 1 minutę", -"%d minutes ago" => "prieš %d minučių", -"1 hour ago" => "prieš 1 valandą", -"%d hours ago" => "prieš %d valandų", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "šiandien", "yesterday" => "vakar", -"%d days ago" => "prieš %d dienų", +"_%n day go_::_%n days ago_" => array(,), "last month" => "praeitą mėnesį", -"%d months ago" => "prieš %d mėnesių", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "praeitais metais", "years ago" => "prieš metus" ); diff --git a/lib/l10n/lv.php b/lib/l10n/lv.php index 38cf55549dd..8031cd027da 100644 --- a/lib/l10n/lv.php +++ b/lib/l10n/lv.php @@ -37,15 +37,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Jūsu serveris vēl nav pareizi iestatīts, lai ļautu sinhronizēt datnes, jo izskatās, ka WebDAV saskarne ir salauzta.", "Please double check the installation guides." => "Lūdzu, vēlreiz pārbaudiet instalēšanas palīdzību.", "seconds ago" => "sekundes atpakaļ", -"1 minute ago" => "pirms 1 minūtes", -"%d minutes ago" => "pirms %d minūtēm", -"1 hour ago" => "pirms 1 stundas", -"%d hours ago" => "pirms %d stundām", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "šodien", "yesterday" => "vakar", -"%d days ago" => "pirms %d dienām", +"_%n day go_::_%n days ago_" => array(,), "last month" => "pagājušajā mēnesī", -"%d months ago" => "pirms %d mēnešiem", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "gājušajā gadā", "years ago" => "gadus atpakaļ", "Could not find category \"%s\"" => "Nevarēja atrast kategoriju “%s”" diff --git a/lib/l10n/mk.php b/lib/l10n/mk.php index e4a6afef492..847dcd637d1 100644 --- a/lib/l10n/mk.php +++ b/lib/l10n/mk.php @@ -17,15 +17,13 @@ $TRANSLATIONS = array( "Text" => "Текст", "Images" => "Слики", "seconds ago" => "пред секунди", -"1 minute ago" => "пред 1 минута", -"%d minutes ago" => "пред %d минути", -"1 hour ago" => "пред 1 час", -"%d hours ago" => "пред %d часови", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "денеска", "yesterday" => "вчера", -"%d days ago" => "пред %d денови", +"_%n day go_::_%n days ago_" => array(,), "last month" => "минатиот месец", -"%d months ago" => "пред %d месеци", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "минатата година", "years ago" => "пред години", "Could not find category \"%s\"" => "Не можам да најдам категорија „%s“" diff --git a/lib/l10n/ml_IN.php b/lib/l10n/ml_IN.php new file mode 100644 index 00000000000..b2de92ed491 --- /dev/null +++ b/lib/l10n/ml_IN.php @@ -0,0 +1,8 @@ + array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day go_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,) +); +$PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/lib/l10n/ms_MY.php b/lib/l10n/ms_MY.php index be7d626ccb7..bdd6bdb2b38 100644 --- a/lib/l10n/ms_MY.php +++ b/lib/l10n/ms_MY.php @@ -8,6 +8,10 @@ $TRANSLATIONS = array( "web services under your control" => "Perkhidmatan web di bawah kawalan anda", "Authentication error" => "Ralat pengesahan", "Files" => "Fail-fail", -"Text" => "Teks" +"Text" => "Teks", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day go_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,) ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/lib/l10n/my_MM.php b/lib/l10n/my_MM.php index 613b58a87cc..c70fef857f8 100644 --- a/lib/l10n/my_MM.php +++ b/lib/l10n/my_MM.php @@ -14,15 +14,13 @@ $TRANSLATIONS = array( "Text" => "စာသား", "Images" => "ပုံရိပ်များ", "seconds ago" => "စက္ကန့်အနည်းငယ်က", -"1 minute ago" => "၁ မိနစ်အရင်က", -"%d minutes ago" => "%d မိနစ်အရင်က", -"1 hour ago" => "၁ နာရီ အရင်က", -"%d hours ago" => "%d နာရီအရင်က", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "ယနေ့", "yesterday" => "မနေ့က", -"%d days ago" => "%d ရက် အရင်က", +"_%n day go_::_%n days ago_" => array(,), "last month" => "ပြီးခဲ့သောလ", -"%d months ago" => "%d လအရင်က", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "မနှစ်က", "years ago" => "နှစ် အရင်က", "Could not find category \"%s\"" => "\"%s\"ခေါင်းစဉ်ကို ရှာမတွေ့ပါ" diff --git a/lib/l10n/nb_NO.php b/lib/l10n/nb_NO.php index dbc0788f4b0..69787c400f2 100644 --- a/lib/l10n/nb_NO.php +++ b/lib/l10n/nb_NO.php @@ -19,15 +19,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Din nettservev er ikke konfigurert korrekt for filsynkronisering. WebDAV ser ut til å ikke funkere.", "Please double check the installation guides." => "Vennligst dobbelsjekk installasjonsguiden.", "seconds ago" => "sekunder siden", -"1 minute ago" => "1 minutt siden", -"%d minutes ago" => "%d minutter siden", -"1 hour ago" => "1 time siden", -"%d hours ago" => "%d timer siden", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "i dag", "yesterday" => "i går", -"%d days ago" => "%d dager siden", +"_%n day go_::_%n days ago_" => array(,), "last month" => "forrige måned", -"%d months ago" => "%d måneder siden", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "forrige år", "years ago" => "år siden", "Could not find category \"%s\"" => "Kunne ikke finne kategori \"%s\"" diff --git a/lib/l10n/ne.php b/lib/l10n/ne.php new file mode 100644 index 00000000000..b2de92ed491 --- /dev/null +++ b/lib/l10n/ne.php @@ -0,0 +1,8 @@ + array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day go_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,) +); +$PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/lib/l10n/nl.php b/lib/l10n/nl.php index 6f8d01f5943..c8616fcbb85 100644 --- a/lib/l10n/nl.php +++ b/lib/l10n/nl.php @@ -41,15 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Uw webserver is nog niet goed ingesteld voor bestandssynchronisatie omdat de WebDAV interface verbroken lijkt.", "Please double check the installation guides." => "Controleer de installatiehandleiding goed.", "seconds ago" => "seconden geleden", -"1 minute ago" => "1 minuut geleden", -"%d minutes ago" => "%d minuten geleden", -"1 hour ago" => "1 uur geleden", -"%d hours ago" => "%d uren geleden", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "vandaag", "yesterday" => "gisteren", -"%d days ago" => "%d dagen geleden", +"_%n day go_::_%n days ago_" => array(,), "last month" => "vorige maand", -"%d months ago" => "%d maanden geleden", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "vorig jaar", "years ago" => "jaar geleden", "Caused by:" => "Gekomen door:", diff --git a/lib/l10n/nn_NO.php b/lib/l10n/nn_NO.php index 712b1e42375..4efc4f8e0d6 100644 --- a/lib/l10n/nn_NO.php +++ b/lib/l10n/nn_NO.php @@ -12,11 +12,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Tenaren din er ikkje enno rett innstilt til å tilby filsynkronisering sidan WebDAV-grensesnittet ser ut til å vera øydelagt.", "Please double check the installation guides." => "Ver vennleg og dobbeltsjekk installasjonsrettleiinga.", "seconds ago" => "sekund sidan", -"1 minute ago" => "1 minutt sidan", -"1 hour ago" => "1 time sidan", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "i dag", "yesterday" => "i går", +"_%n day go_::_%n days ago_" => array(,), "last month" => "førre månad", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "i fjor", "years ago" => "år sidan" ); diff --git a/lib/l10n/oc.php b/lib/l10n/oc.php index be7f3b43a2d..0fc38d0ff2c 100644 --- a/lib/l10n/oc.php +++ b/lib/l10n/oc.php @@ -12,12 +12,13 @@ $TRANSLATIONS = array( "Authentication error" => "Error d'autentificacion", "Files" => "Fichièrs", "seconds ago" => "segonda a", -"1 minute ago" => "1 minuta a", -"%d minutes ago" => "%d minutas a", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "uèi", "yesterday" => "ièr", -"%d days ago" => "%d jorns a", +"_%n day go_::_%n days ago_" => array(,), "last month" => "mes passat", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "an passat", "years ago" => "ans a" ); diff --git a/lib/l10n/pl.php b/lib/l10n/pl.php index ff75eca6683..edbddeeace5 100644 --- a/lib/l10n/pl.php +++ b/lib/l10n/pl.php @@ -41,15 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Serwer internetowy nie jest jeszcze poprawnie skonfigurowany, aby umożliwić synchronizację plików, ponieważ interfejs WebDAV wydaje się być uszkodzony.", "Please double check the installation guides." => "Sprawdź ponownie przewodniki instalacji.", "seconds ago" => "sekund temu", -"1 minute ago" => "1 minutę temu", -"%d minutes ago" => "%d minut temu", -"1 hour ago" => "1 godzinę temu", -"%d hours ago" => "%d godzin temu", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "dziś", "yesterday" => "wczoraj", -"%d days ago" => "%d dni temu", +"_%n day go_::_%n days ago_" => array(,), "last month" => "w zeszłym miesiącu", -"%d months ago" => "%d miesiecy temu", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "w zeszłym roku", "years ago" => "lat temu", "Caused by:" => "Spowodowane przez:", diff --git a/lib/l10n/pt_BR.php b/lib/l10n/pt_BR.php index fa7dd092519..75987409e70 100644 --- a/lib/l10n/pt_BR.php +++ b/lib/l10n/pt_BR.php @@ -41,15 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Seu servidor web não está configurado corretamente para permitir sincronização de arquivos porque a interface WebDAV parece estar quebrada.", "Please double check the installation guides." => "Por favor, confira os guias de instalação.", "seconds ago" => "segundos atrás", -"1 minute ago" => "1 minuto atrás", -"%d minutes ago" => "%d minutos atrás", -"1 hour ago" => "1 hora atrás", -"%d hours ago" => "%d horas atrás", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "hoje", "yesterday" => "ontem", -"%d days ago" => "%d dias atrás", +"_%n day go_::_%n days ago_" => array(,), "last month" => "último mês", -"%d months ago" => "%d meses atrás", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "último ano", "years ago" => "anos atrás", "Caused by:" => "Causados ​​por:", diff --git a/lib/l10n/pt_PT.php b/lib/l10n/pt_PT.php index 9411df0be3a..7518aba2a41 100644 --- a/lib/l10n/pt_PT.php +++ b/lib/l10n/pt_PT.php @@ -41,15 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "O seu servidor web não está configurado correctamente para autorizar sincronização de ficheiros, pois o interface WebDAV parece estar com problemas.", "Please double check the installation guides." => "Por favor verifique installation guides.", "seconds ago" => "Minutos atrás", -"1 minute ago" => "Há 1 minuto", -"%d minutes ago" => "há %d minutos", -"1 hour ago" => "Há 1 horas", -"%d hours ago" => "Há %d horas", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "hoje", "yesterday" => "ontem", -"%d days ago" => "há %d dias", +"_%n day go_::_%n days ago_" => array(,), "last month" => "ultímo mês", -"%d months ago" => "Há %d meses atrás", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "ano passado", "years ago" => "anos atrás", "Caused by:" => "Causado por:", diff --git a/lib/l10n/ro.php b/lib/l10n/ro.php index f56ee7323f5..788e57f1703 100644 --- a/lib/l10n/ro.php +++ b/lib/l10n/ro.php @@ -20,15 +20,13 @@ $TRANSLATIONS = array( "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ă", -"1 hour ago" => "Acum o ora", -"%d hours ago" => "%d ore in urma", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "astăzi", "yesterday" => "ieri", -"%d days ago" => "%d zile în urmă", +"_%n day go_::_%n days ago_" => array(,), "last month" => "ultima lună", -"%d months ago" => "%d luni in urma", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "ultimul an", "years ago" => "ani în urmă", "Could not find category \"%s\"" => "Cloud nu a gasit categoria \"%s\"" diff --git a/lib/l10n/ru.php b/lib/l10n/ru.php index 469acb0a1f0..a723dfc1113 100644 --- a/lib/l10n/ru.php +++ b/lib/l10n/ru.php @@ -41,15 +41,13 @@ $TRANSLATIONS = array( "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" => "несколько секунд назад", -"1 minute ago" => "1 минуту назад", -"%d minutes ago" => "%d минут назад", -"1 hour ago" => "час назад", -"%d hours ago" => "%d часов назад", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "сегодня", "yesterday" => "вчера", -"%d days ago" => "%d дней назад", +"_%n day go_::_%n days ago_" => array(,), "last month" => "в прошлом месяце", -"%d months ago" => "%d месяцев назад", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "в прошлом году", "years ago" => "несколько лет назад", "Caused by:" => "Вызвано:", diff --git a/lib/l10n/si_LK.php b/lib/l10n/si_LK.php index f09dee7c6cc..6f0d96f044e 100644 --- a/lib/l10n/si_LK.php +++ b/lib/l10n/si_LK.php @@ -17,12 +17,13 @@ $TRANSLATIONS = array( "Text" => "පෙළ", "Images" => "අනු රූ", "seconds ago" => "තත්පරයන්ට පෙර", -"1 minute ago" => "1 මිනිත්තුවකට පෙර", -"%d minutes ago" => "%d මිනිත්තුවන්ට පෙර", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "අද", "yesterday" => "ඊයේ", -"%d days ago" => "%d දිනකට පෙර", +"_%n day go_::_%n days ago_" => array(,), "last month" => "පෙර මාසයේ", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "පෙර අවුරුද්දේ", "years ago" => "අවුරුදු කීපයකට පෙර" ); diff --git a/lib/l10n/sk.php b/lib/l10n/sk.php new file mode 100644 index 00000000000..abc5a2556c9 --- /dev/null +++ b/lib/l10n/sk.php @@ -0,0 +1,8 @@ + array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day go_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,) +); +$PLURAL_FORMS = "nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;"; diff --git a/lib/l10n/sk_SK.php b/lib/l10n/sk_SK.php index a3e6a17aaac..b1a6ee07a5c 100644 --- a/lib/l10n/sk_SK.php +++ b/lib/l10n/sk_SK.php @@ -41,15 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Váš webový server nie je správne nastavený na synchronizáciu, pretože rozhranie WebDAV je poškodené.", "Please double check the installation guides." => "Prosím skontrolujte inštalačnú príručku.", "seconds ago" => "pred sekundami", -"1 minute ago" => "pred minútou", -"%d minutes ago" => "pred %d minútami", -"1 hour ago" => "Pred 1 hodinou", -"%d hours ago" => "Pred %d hodinami.", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "dnes", "yesterday" => "včera", -"%d days ago" => "pred %d dňami", +"_%n day go_::_%n days ago_" => array(,), "last month" => "minulý mesiac", -"%d months ago" => "Pred %d mesiacmi.", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "minulý rok", "years ago" => "pred rokmi", "Caused by:" => "Príčina:", diff --git a/lib/l10n/sl.php b/lib/l10n/sl.php index 4423155fd95..0e918a9f156 100644 --- a/lib/l10n/sl.php +++ b/lib/l10n/sl.php @@ -38,15 +38,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Spletni stražnik še ni ustrezno nastavljen in ne omogoča usklajevanja, saj je nastavitev WebDAV okvarjena.", "Please double check the installation guides." => "Preverite navodila namestitve.", "seconds ago" => "pred nekaj sekundami", -"1 minute ago" => "pred minuto", -"%d minutes ago" => "pred %d minutami", -"1 hour ago" => "Pred 1 uro", -"%d hours ago" => "Pred %d urami", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "danes", "yesterday" => "včeraj", -"%d days ago" => "pred %d dnevi", +"_%n day go_::_%n days ago_" => array(,), "last month" => "zadnji mesec", -"%d months ago" => "Pred %d meseci", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "lansko leto", "years ago" => "let nazaj", "Could not find category \"%s\"" => "Kategorije \"%s\" ni mogoče najti." diff --git a/lib/l10n/sq.php b/lib/l10n/sq.php index 7a51b99c2be..a992d10ddb4 100644 --- a/lib/l10n/sq.php +++ b/lib/l10n/sq.php @@ -37,15 +37,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "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.", "Please double check the installation guides." => "Ju lutemi kontrolloni mirë shoqëruesin e instalimit.", "seconds ago" => "sekonda më parë", -"1 minute ago" => "1 minutë më parë", -"%d minutes ago" => "%d minuta më parë", -"1 hour ago" => "1 orë më parë", -"%d hours ago" => "%d orë më parë", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "sot", "yesterday" => "dje", -"%d days ago" => "%d ditë më parë", +"_%n day go_::_%n days ago_" => array(,), "last month" => "muajin e shkuar", -"%d months ago" => "%d muaj më parë", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "vitin e shkuar", "years ago" => "vite më parë", "Could not find category \"%s\"" => "Kategoria \"%s\" nuk u gjet" diff --git a/lib/l10n/sr.php b/lib/l10n/sr.php index 96dec30124d..85b7cfea646 100644 --- a/lib/l10n/sr.php +++ b/lib/l10n/sr.php @@ -20,15 +20,13 @@ $TRANSLATIONS = array( "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" => "пре неколико секунди", -"1 minute ago" => "пре 1 минут", -"%d minutes ago" => "пре %d минута", -"1 hour ago" => "Пре једног сата", -"%d hours ago" => "пре %d сата/и", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "данас", "yesterday" => "јуче", -"%d days ago" => "пре %d дана", +"_%n day go_::_%n days ago_" => array(,), "last month" => "прошлог месеца", -"%d months ago" => "пре %d месеца/и", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "прошле године", "years ago" => "година раније", "Could not find category \"%s\"" => "Не могу да пронађем категорију „%s“." diff --git a/lib/l10n/sr@latin.php b/lib/l10n/sr@latin.php index 1bfa1f0126f..3a205bc56ee 100644 --- a/lib/l10n/sr@latin.php +++ b/lib/l10n/sr@latin.php @@ -7,6 +7,10 @@ $TRANSLATIONS = array( "Admin" => "Adninistracija", "Authentication error" => "Greška pri autentifikaciji", "Files" => "Fajlovi", -"Text" => "Tekst" +"Text" => "Tekst", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day go_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,) ); $PLURAL_FORMS = "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"; diff --git a/lib/l10n/sv.php b/lib/l10n/sv.php index 36fd9b4d7b9..64efa94242f 100644 --- a/lib/l10n/sv.php +++ b/lib/l10n/sv.php @@ -41,15 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Din webbserver är inte korrekt konfigurerad för att tillåta filsynkronisering eftersom WebDAV inte verkar fungera.", "Please double check the installation guides." => "Var god kontrollera installationsguiden.", "seconds ago" => "sekunder sedan", -"1 minute ago" => "1 minut sedan", -"%d minutes ago" => "%d minuter sedan", -"1 hour ago" => "1 timme sedan", -"%d hours ago" => "%d timmar sedan", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "i dag", "yesterday" => "i går", -"%d days ago" => "%d dagar sedan", +"_%n day go_::_%n days ago_" => array(,), "last month" => "förra månaden", -"%d months ago" => "%d månader sedan", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "förra året", "years ago" => "år sedan", "Caused by:" => "Orsakad av:", diff --git a/lib/l10n/sw_KE.php b/lib/l10n/sw_KE.php new file mode 100644 index 00000000000..b2de92ed491 --- /dev/null +++ b/lib/l10n/sw_KE.php @@ -0,0 +1,8 @@ + array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day go_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,) +); +$PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/lib/l10n/ta_LK.php b/lib/l10n/ta_LK.php index 4a7dd922f85..72d47ebee48 100644 --- a/lib/l10n/ta_LK.php +++ b/lib/l10n/ta_LK.php @@ -17,15 +17,13 @@ $TRANSLATIONS = array( "Text" => "உரை", "Images" => "படங்கள்", "seconds ago" => "செக்கன்களுக்கு முன்", -"1 minute ago" => "1 நிமிடத்திற்கு முன் ", -"%d minutes ago" => "%d நிமிடங்களுக்கு முன்", -"1 hour ago" => "1 மணித்தியாலத்திற்கு முன்", -"%d hours ago" => "%d மணித்தியாலத்திற்கு முன்", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "இன்று", "yesterday" => "நேற்று", -"%d days ago" => "%d நாட்களுக்கு முன்", +"_%n day go_::_%n days ago_" => array(,), "last month" => "கடந்த மாதம்", -"%d months ago" => "%d மாதத்திற்கு முன்", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "கடந்த வருடம்", "years ago" => "வருடங்களுக்கு முன்", "Could not find category \"%s\"" => "பிரிவு \"%s\" ஐ கண்டுப்பிடிக்க முடியவில்லை" diff --git a/lib/l10n/te.php b/lib/l10n/te.php index e7d9d921e5e..77cc16307e1 100644 --- a/lib/l10n/te.php +++ b/lib/l10n/te.php @@ -4,11 +4,13 @@ $TRANSLATIONS = array( "Settings" => "అమరికలు", "Users" => "వాడుకరులు", "seconds ago" => "క్షణాల క్రితం", -"1 minute ago" => "1 నిమిషం క్రితం", -"1 hour ago" => "1 గంట క్రితం", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "ఈరోజు", "yesterday" => "నిన్న", +"_%n day go_::_%n days ago_" => array(,), "last month" => "పోయిన నెల", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "పోయిన సంవత్సరం", "years ago" => "సంవత్సరాల క్రితం" ); diff --git a/lib/l10n/th_TH.php b/lib/l10n/th_TH.php index 6d939c4588d..656e492394c 100644 --- a/lib/l10n/th_TH.php +++ b/lib/l10n/th_TH.php @@ -18,15 +18,13 @@ $TRANSLATIONS = array( "Text" => "ข้อความ", "Images" => "รูปภาพ", "seconds ago" => "วินาที ก่อนหน้านี้", -"1 minute ago" => "1 นาทีก่อนหน้านี้", -"%d minutes ago" => "%d นาทีที่ผ่านมา", -"1 hour ago" => "1 ชั่วโมงก่อนหน้านี้", -"%d hours ago" => "%d ชั่วโมงก่อนหน้านี้", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "วันนี้", "yesterday" => "เมื่อวานนี้", -"%d days ago" => "%d วันที่ผ่านมา", +"_%n day go_::_%n days ago_" => array(,), "last month" => "เดือนที่แล้ว", -"%d months ago" => "%d เดือนมาแล้ว", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "ปีที่แล้ว", "years ago" => "ปี ที่ผ่านมา", "Could not find category \"%s\"" => "ไม่พบหมวดหมู่ \"%s\"" diff --git a/lib/l10n/tr.php b/lib/l10n/tr.php index c3fc70c798c..11e04c04157 100644 --- a/lib/l10n/tr.php +++ b/lib/l10n/tr.php @@ -38,15 +38,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Web sunucunuz dosya transferi için düzgün bir şekilde yapılandırılmamış. WevDAV arabirimini sorunlu gözüküyor.", "Please double check the installation guides." => "Lütfen kurulum kılavuzlarını iki kez kontrol edin.", "seconds ago" => "saniye önce", -"1 minute ago" => "1 dakika önce", -"%d minutes ago" => "%d dakika önce", -"1 hour ago" => "1 saat önce", -"%d hours ago" => "%d saat önce", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "bugün", "yesterday" => "dün", -"%d days ago" => "%d gün önce", +"_%n day go_::_%n days ago_" => array(,), "last month" => "geçen ay", -"%d months ago" => "%d ay önce", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "geçen yıl", "years ago" => "yıl önce", "Could not find category \"%s\"" => "\"%s\" kategorisi bulunamadı" diff --git a/lib/l10n/ug.php b/lib/l10n/ug.php index 89d01c4a157..d5b714a7a07 100644 --- a/lib/l10n/ug.php +++ b/lib/l10n/ug.php @@ -8,13 +8,11 @@ $TRANSLATIONS = array( "Files" => "ھۆججەتلەر", "Text" => "قىسقا ئۇچۇر", "Images" => "سۈرەتلەر", -"1 minute ago" => "1 مىنۇت ئىلگىرى", -"%d minutes ago" => "%d مىنۇت ئىلگىرى", -"1 hour ago" => "1 سائەت ئىلگىرى", -"%d hours ago" => "%d سائەت ئىلگىرى", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "بۈگۈن", "yesterday" => "تۈنۈگۈن", -"%d days ago" => "%d كۈن ئىلگىرى", -"%d months ago" => "%d ئاي ئىلگىرى" +"_%n day go_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,) ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/lib/l10n/uk.php b/lib/l10n/uk.php index 93b1a005a23..0c0f1bc1a9b 100644 --- a/lib/l10n/uk.php +++ b/lib/l10n/uk.php @@ -37,15 +37,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Ваш Web-сервер ще не налаштований належним чином для того, щоб дозволити синхронізацію файлів, через те що інтерфейс WebDAV, здається, зламаний.", "Please double check the installation guides." => "Будь ласка, перевірте інструкції по встановленню.", "seconds ago" => "секунди тому", -"1 minute ago" => "1 хвилину тому", -"%d minutes ago" => "%d хвилин тому", -"1 hour ago" => "1 годину тому", -"%d hours ago" => "%d годин тому", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "сьогодні", "yesterday" => "вчора", -"%d days ago" => "%d днів тому", +"_%n day go_::_%n days ago_" => array(,), "last month" => "минулого місяця", -"%d months ago" => "%d місяців тому", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "минулого року", "years ago" => "роки тому", "Could not find category \"%s\"" => "Не вдалося знайти категорію \"%s\"" diff --git a/lib/l10n/ur_PK.php b/lib/l10n/ur_PK.php index b98310070e4..73b7eed9f83 100644 --- a/lib/l10n/ur_PK.php +++ b/lib/l10n/ur_PK.php @@ -5,6 +5,10 @@ $TRANSLATIONS = array( "Settings" => "سیٹینگز", "Users" => "یوزرز", "Admin" => "ایڈمن", -"web services under your control" => "آپ کے اختیار میں ویب سروسیز" +"web services under your control" => "آپ کے اختیار میں ویب سروسیز", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), +"_%n day go_::_%n days ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(,) ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/lib/l10n/vi.php b/lib/l10n/vi.php index 82ecc0fa47a..68cb6b5c341 100644 --- a/lib/l10n/vi.php +++ b/lib/l10n/vi.php @@ -18,15 +18,13 @@ $TRANSLATIONS = array( "Text" => "Văn bản", "Images" => "Hình ảnh", "seconds ago" => "vài giây trước", -"1 minute ago" => "1 phút trước", -"%d minutes ago" => "%d phút trước", -"1 hour ago" => "1 giờ trước", -"%d hours ago" => "%d giờ trước", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "hôm nay", "yesterday" => "hôm qua", -"%d days ago" => "%d ngày trước", +"_%n day go_::_%n days ago_" => array(,), "last month" => "tháng trước", -"%d months ago" => "%d tháng trước", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "năm trước", "years ago" => "năm trước", "Could not find category \"%s\"" => "không thể tìm thấy mục \"%s\"" diff --git a/lib/l10n/zh_CN.GB2312.php b/lib/l10n/zh_CN.GB2312.php index 3433bdc35b5..63fffaac782 100644 --- a/lib/l10n/zh_CN.GB2312.php +++ b/lib/l10n/zh_CN.GB2312.php @@ -19,13 +19,13 @@ $TRANSLATIONS = array( "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" => "秒前", -"1 minute ago" => "1 分钟前", -"%d minutes ago" => "%d 分钟前", -"1 hour ago" => "1小时前", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "今天", "yesterday" => "昨天", -"%d days ago" => "%d 天前", +"_%n day go_::_%n days ago_" => array(,), "last month" => "上个月", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "去年", "years ago" => "年前" ); diff --git a/lib/l10n/zh_CN.php b/lib/l10n/zh_CN.php index c71a1030d8f..3311ae7de17 100644 --- a/lib/l10n/zh_CN.php +++ b/lib/l10n/zh_CN.php @@ -38,15 +38,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "您的Web服务器尚未正确设置以允许文件同步, 因为WebDAV的接口似乎已损坏.", "Please double check the installation guides." => "请认真检查安装指南.", "seconds ago" => "秒前", -"1 minute ago" => "一分钟前", -"%d minutes ago" => "%d 分钟前", -"1 hour ago" => "1小时前", -"%d hours ago" => "%d小时前", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "今天", "yesterday" => "昨天", -"%d days ago" => "%d 天前", +"_%n day go_::_%n days ago_" => array(,), "last month" => "上月", -"%d months ago" => "%d 月前", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "去年", "years ago" => "年前", "Could not find category \"%s\"" => "无法找到分类 \"%s\"" diff --git a/lib/l10n/zh_HK.php b/lib/l10n/zh_HK.php index d6a8e217b57..8609987fd6f 100644 --- a/lib/l10n/zh_HK.php +++ b/lib/l10n/zh_HK.php @@ -7,8 +7,12 @@ $TRANSLATIONS = array( "Admin" => "管理", "Files" => "文件", "Text" => "文字", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "今日", "yesterday" => "昨日", -"last month" => "前一月" +"_%n day go_::_%n days ago_" => array(,), +"last month" => "前一月", +"_%n month ago_::_%n months ago_" => array(,) ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/lib/l10n/zh_TW.php b/lib/l10n/zh_TW.php index d215995e307..65f38d30dd6 100644 --- a/lib/l10n/zh_TW.php +++ b/lib/l10n/zh_TW.php @@ -38,15 +38,13 @@ $TRANSLATIONS = array( "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" => "幾秒前", -"1 minute ago" => "1 分鐘前", -"%d minutes ago" => "%d 分鐘前", -"1 hour ago" => "1 小時之前", -"%d hours ago" => "%d 小時之前", +"_%n minute ago_::_%n minutes ago_" => array(,), +"_%n hour ago_::_%n hours ago_" => array(,), "today" => "今天", "yesterday" => "昨天", -"%d days ago" => "%d 天前", +"_%n day go_::_%n days ago_" => array(,), "last month" => "上個月", -"%d months ago" => "%d 個月之前", +"_%n month ago_::_%n months ago_" => array(,), "last year" => "去年", "years ago" => "幾年前", "Could not find category \"%s\"" => "找不到分類:\"%s\"" -- GitLab From 3972198b61957ccefecd1a9840c9a46fb4e07ae9 Mon Sep 17 00:00:00 2001 From: Markus Goetz Date: Thu, 15 Aug 2013 11:58:09 +0200 Subject: [PATCH 234/415] Cache OC_Util::checkServer() result in session The return value almost never changes but this function is called for every request. --- lib/util.php | 7 +++++++ 1 file changed, 7 insertions(+) diff --git a/lib/util.php b/lib/util.php index b7dc2207e6c..25632ac1ea2 100755 --- a/lib/util.php +++ b/lib/util.php @@ -168,6 +168,10 @@ class OC_Util { * @return array arrays with error messages and hints */ public static function checkServer() { + // Assume that if checkServer() succeeded before in this session, then all is fine. + if(\OC::$session->exists('checkServer_suceeded') && \OC::$session->get('checkServer_suceeded')) + return array(); + $errors=array(); $defaults = new \OC_Defaults(); @@ -309,6 +313,9 @@ class OC_Util { 'hint'=>'Please ask your server administrator to restart the web server.'); } + // Cache the result of this function + \OC::$session->set('checkServer_suceeded', count($errors) == 0); + return $errors; } -- GitLab From 05549884c6dea83669cc2947c6a901c97ed55ed0 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Thu, 15 Aug 2013 12:00:02 +0200 Subject: [PATCH 235/415] no files external for SMB on windows --- apps/files_external/lib/config.php | 26 ++++++++++++++++---------- 1 file changed, 16 insertions(+), 10 deletions(-) diff --git a/apps/files_external/lib/config.php b/apps/files_external/lib/config.php index e3a2cf0b30b..14e974d65ca 100755 --- a/apps/files_external/lib/config.php +++ b/apps/files_external/lib/config.php @@ -93,14 +93,18 @@ class OC_Mount_Config { 'root' => '&Root', 'secure' => '!Secure ftps://')); - if(OC_Mount_Config::checksmbclient()) $backends['\OC\Files\Storage\SMB']=array( - 'backend' => 'SMB / CIFS', - 'configuration' => array( - 'host' => 'URL', - 'user' => 'Username', - 'password' => '*Password', - 'share' => 'Share', - 'root' => '&Root')); + if (!OC_Util::runningOnWindows()) { + if (OC_Mount_Config::checksmbclient()) { + $backends['\OC\Files\Storage\SMB'] = array( + 'backend' => 'SMB / CIFS', + 'configuration' => array( + 'host' => 'URL', + 'user' => 'Username', + 'password' => '*Password', + 'share' => 'Share', + 'root' => '&Root')); + } + } if(OC_Mount_Config::checkcurl()) $backends['\OC\Files\Storage\DAV']=array( 'backend' => 'ownCloud / WebDAV', @@ -444,8 +448,10 @@ class OC_Mount_Config { public static function checkDependencies() { $l= new OC_L10N('files_external'); $txt=''; - if(!OC_Mount_Config::checksmbclient()) { - $txt.=$l->t('Warning: "smbclient" is not installed. Mounting of CIFS/SMB shares is not possible. Please ask your system administrator to install it.').'
    '; + if (!OC_Util::runningOnWindows()) { + if(!OC_Mount_Config::checksmbclient()) { + $txt.=$l->t('Warning: "smbclient" is not installed. Mounting of CIFS/SMB shares is not possible. Please ask your system administrator to install it.').'
    '; + } } if(!OC_Mount_Config::checkphpftp()) { $txt.=$l->t('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.').'
    '; -- GitLab From cd7e57e8ec64ffef8faec750ebffbdc6138ec9a0 Mon Sep 17 00:00:00 2001 From: Owen Winkler Date: Thu, 15 Aug 2013 06:19:40 -0400 Subject: [PATCH 236/415] Use JSON to send/receive group data. Squashed commits from PR #4364 for master. --- settings/ajax/createuser.php | 2 +- settings/js/users.js | 21 ++++++++++----------- settings/templates/users.php | 6 +++--- settings/users.php | 15 ++++++++------- 4 files changed, 22 insertions(+), 22 deletions(-) diff --git a/settings/ajax/createuser.php b/settings/ajax/createuser.php index 205958f88d3..ccc2a5d402e 100644 --- a/settings/ajax/createuser.php +++ b/settings/ajax/createuser.php @@ -41,7 +41,7 @@ try { OC_JSON::success(array("data" => array( "username" => $username, - "groups" => implode( ", ", OC_Group::getUserGroups( $username ))))); + "groups" => OC_Group::getUserGroups( $username )))); } catch (Exception $exception) { OC_JSON::error(array("data" => array( "message" => $exception->getMessage()))); } diff --git a/settings/js/users.js b/settings/js/users.js index 6a8afc4ca36..948849fe539 100644 --- a/settings/js/users.js +++ b/settings/js/users.js @@ -89,10 +89,10 @@ var UserList = { tr.attr('data-displayName', displayname); tr.find('td.name').text(username); tr.find('td.displayName > span').text(displayname); - var groupsSelect = $('').attr('data-username', username).attr('data-user-groups', groups); + var groupsSelect = $('').attr('data-username', username).attr('data-user-groups', [groups]); tr.find('td.groups').empty(); if (tr.find('td.subadmins').length > 0) { - var subadminSelect = $('').attr('data-username', username).attr('data-user-groups', [groups]).attr('data-subadmin', [subadmin]); tr.find('td.subadmins').empty(); } $.each(this.availableGroups, function (i, group) { @@ -227,7 +227,7 @@ var UserList = { var user = element.attr('data-username'); if ($(element).attr('class') === 'groupsselect') { if (element.data('userGroups')) { - checked = String(element.data('userGroups')).split(', '); + checked = element.data('userGroups'); } if (user) { var checkHandeler = function (group) { @@ -244,11 +244,10 @@ var UserList = { group: group }, function (response) { - if(response.status === 'success') { - if(UserList.availableGroups.indexOf(response.data.groupname) === -1 && response.data.action === 'add') { - UserList.availableGroups.push(response.data.groupname); - } - } else { + if(response.status === 'success' && UserList.availableGroups.indexOf(response.data.groupname) === -1 && response.data.action === 'add') { + UserList.availableGroups.push(response.data.groupname); + } + if(response.data.message) { OC.Notification.show(response.data.message); } } @@ -282,7 +281,7 @@ var UserList = { } if ($(element).attr('class') === 'subadminsselect') { if (element.data('subadmin')) { - checked = String(element.data('subadmin')).split(', '); + checked = element.data('subadmin'); } var checkHandeler = function (group) { if (group === 'admin') { @@ -321,7 +320,7 @@ var UserList = { $(document).ready(function () { UserList.doSort(); - UserList.availableGroups = $('#content table').attr('data-groups').split(', '); + UserList.availableGroups = $('#content table').data('groups'); $('tbody tr:last').bind('inview', function (event, isInView, visiblePartX, visiblePartY) { OC.Router.registerLoadedCallback(function () { UserList.update(); @@ -450,7 +449,7 @@ $(document).ready(function () { t('settings', 'Error creating user')); } else { if (result.data.groups) { - var addedGroups = result.data.groups.split(', '); + var addedGroups = result.data.groups; UserList.availableGroups = $.unique($.merge(UserList.availableGroups, addedGroups)); } if($('tr[data-uid="' + username + '"]').length === 0) { diff --git a/settings/templates/users.php b/settings/templates/users.php index 4ddef3ff1b5..22450fdf25f 100644 --- a/settings/templates/users.php +++ b/settings/templates/users.php @@ -78,7 +78,7 @@ $_['subadmingroups'] = array_flip($items); - +
    @@ -108,7 +108,7 @@ $_['subadmingroups'] = array_flip($items);
    t('Username'))?>'); + var input=$(''); form.append(input); $(this).append(form); input.focus(); diff --git a/core/img/filetypes/web.png b/core/img/filetypes/web.png index 0868ca52747fcf3617e637c21636e448cc2979c2..c380231264555a13531b8fc6b1ed9d5c1f533a4e 100644 GIT binary patch delta 2167 zcmV--2#ELW5zY~iZhuQjL_t(og~gX^Y#h}U$A5QbcGq6N*3ZO_V~04zNuWt+d8VMM z5rUSs2#QDvQcHyZ7u2GZK4_(WXg^fqoj#&UQ7ckDw9pdhLs1LDsDdaoO&ZaHNP-gx zwu58G>s{}9*Ympfo_^T1afoT5t;9%wjb=wP=XcNfpEGxrh=1^59?pjv9q|5}hi=>c zY>RmDa^BQ(SzJ7J?gT70>-xA#NlRZ7waqdx3`I?rF)@J39a+K8IxFphz zzK!BwI#)+TqiwPijsna|fA8=oN6(TO-vI(ZCS z2e+n{mUS0W+tP`I8lsrq8jtjBes*MN=Ew*Of#l5i-U^|G=CDt_~UQW+}KL}$(Jc)vr~So zzx&LO?)~{4?VJe{n0*j>`s`C2w$db&uEpQL@`<>+#OxHLn$eHp2yW|V-N zNKsjb5Kd>&YtmpWXbVP2HMHQmwUoz3$sIjJ)>_tdbvBnu$9@m=|Hlkm z_nn>JY-(F}{%FA~FY70AYAKUWDjVIg>4rP{-xENqDev?=;{mR}-a1pE(;_?i}FXQLNiGSP%T-U4LxcSDevj8ITmutM5D5@Aq&(5Hn zL}gW_B95D?1dkWWR#mwU3)5VZI7Ls|V2ywk#9BlItYs!UMk=$^F^)O+Y!5`HTU$4+ zt4>ZfbdadaaQfxv39_fK+AbP&Axtu|0cv z?R2G`D?Wiz_LOqOwPyjuVowqj%OsYjtXLet0?Ku1=su6~#2bXuS;AtLWJ4>Nl^gNW z4QBu-Cy6*NT5CRi^_8S*l03S5kbi%SRea?L1T(qFlW_h^IbQ-}Wz_hkz{C+^Y$fH| zRt%?waC#DJEMh9-cIwD}!s)5AN&ya9YoaLP^2;veD_gJOqV5D(!5Tvxlw-j;b{4=( zzkMWUb$Qwb0XB-}9WSv(Vog-cRcdJ}ipxbNUwMJtk^R_6&jX0HXswCkn13(~*|`3E z?)>7lY&s`_#1URHSv>sW)2GfhAz-zAPJ$c~`bZeex0ls|SCc`Eyh{}jtK}VoilDWg zR~Uw@TDg+DZn=R^tVyGUzb-ll04%{Hjz2nPLmwN?RuqNUSW~y8ALS&m#$p#_B9-Z0 z09rBJTn6SKf*_!)tCKr#y?;qQx2dmhU|=A%D8Qj7e>`fn|5Nc#l_m7C!R)*gE{)wA z5mRYXTg?L2#mspi(pYQe0p1Of$z;?`TefU$X=!BDAxl8Q^)oK3Z)eFUF)dHbX6NcKrGjtbBZtBbUk4hB7Y)SYv*N*K`BKX z$MV!uPraJUNgy#kbm%UL#wO-gFTpG}C?jEj!a;P1=m;-SSItnlBEO7O z1I=Z?7(+6d#Bm&a-=|P0P$(2wyLRoGR4R4ITTluIZ~=GX@ZO2K)~*L?GxlDkTRN1R z0@p=3P6b2^^-I=36n|m~s~ND>`TtG{>gwvS))E8(M~@yY4-O9gF^ZynTI;DqB2h>r z5|i)V5zTE7<;}gn+0(l6f>+x6FWc^z`aVTnt#Vu%+gGE*5}sRw4a)O_s4|Q!)>P&| zGMVJ1{Rd3f(hl9!)RbDidUf5wg9leX_~3(I1tK66k$BF8dVhi9x%1SUFOMGm^UrRc zEsgHflFiy^1_?tvCsj>(siHGVVDLPT!-tPVFZ|{CNB8a9HOs`7!^xAs21bNuzaH_t{Bzm8P?L~Qff*yM{kF2*`8#<9s4W1G)L zDu2RJwtW2f@qch|@VP(i+O_Nck&%&Ko<4nA2SLE9RjZm-tXOehb@g&a7t9^iZb&SU zw?Ho7HZEP=T+`mwm8fl63K08+@nCXntT;ZD-?nYrL9O-QcI?=3E1-LOd)?b_zx}}G z&6}6`zR&RR@YMeO`#0^}xpN2>*%gb32DDNtsNSE0m~bE7RQH10JXq70@zZi zw0-yP-8<$=IXpZZPfkugF*7r>t+BDujiSh1;I;Sv-%u%~ssZOZX72h7fT~0mym(+> tpth;0X-|E9eQ!RW|I_yE+wY#c_b;%5#fX%|9&7*r002ovPDHLkV1hDKHd6oq delta 2198 zcmV;H2x<4u5$q9=ZhvV>L_t(og~gY9j9gV6$3N%3=C$3~oqcq>yM53uizQ7i&|0)hlX2!s;Frln9T2wF<%Yq#rm zx3fF5J3Dvo>pc8pX1BX-O^TW@$v1OvZtnek?)UdS=bj^sF@JoNKkFl{4mkhKO`CVT zTrf_uSU92=z(_MJqk4wszkb22Y=$mPi6A0q9}NYV+g6>MC}z$?0xOqA$&l*ENw6*K zbcVv!>&O%qVIm1}LRVZN7yCi+-1xgXly~j3h2uJGs=Gu`yl6^g?h1pvd+vMWkJ#=?T*99oS7-0OYh!b?6k9uqnU$S6Z%E&Gy>^&q7?wJ!j*s+wtR*QK`48N_<>4iBYtEa9r0}*PP3PFe6j%bI4Vm^u6t21! zJCnvp4Mu`C7$p!w01!?T2}XzMy6$E`;ExQFRHvy79-Rdlo0uZo)74=tXDhJfk`AaO zxqoG{T*hdP(FP~oM1I+7upEriXxUIKF^&G~NaCei@N%t;y#5knhyRS5YbDjXh^}?F zVtW~kHW;m`OidHls_QSAfzNLKVL@5$d!waFr^&VBWOHOYdP%jmV>uSWuFJ9oSdF(A zb&Dtdd5~Ih1dPEkidb8qHCh=g+e3u`R(~poXA;`8_PA%;SH1N34@&b|5Sw6e9K;#B zxtrXQRkKBn(rCakrk)8s7eEk9jNp$A&-VL1gU%%vNlaHIf_WPrioSW#Tk&0E-cY*uAR7AqIPZ=BQ>(-pD!-!Kr_X4qDXwd z?vm1ItpV7$;Z8Q+b|Whb0vS}XoHXe|FAEl5gOVELB}PGF^e|D?&ldVq>9!?=rPGv; z|BbjZhLdZiwQn6xCWo-<)(Zg$L4US$IYIGX7^MJ%Rt700>u>oCsg%bP&+g^zkrUXd zW`q{RVa3Pj;fny2HfIQ`p-RUH$0gIYoXL}Kprs_PlqnrONK4;3-0XsR0Jhgee%V@7 z9ASGI5MxLwky3Kw4WGpGJbv}miyTRMP)UpxR713xoswr;aNz0fB`y6)9e;-CI41F@ ziKizpN`uxUeudJ}*YVGuM#pkq8{Awwsg@p`Oe-3YQj#PIQ512_>Q#L0i+6Bs+ax*+ z(9)kg@bvc5MF0R=>Q_uy!bAbGI#~~*s@rOmMg}#ePW_$o@x$|ic>Y*p5VHR0F1oPQ5MxZMiQjOZx9ansnghfxVesYc4{VRLis^BkxLv@Y~{ z2WB9`Fr<6YLN?#C-hBEBJ~1#bkh&zm;otxKjF!PKOmNmWQAn=iN(440i7_(4NQF@f z+igN63LV#_W*}mT)@l~uLWq`pv)K6gyFOkh6#g`1?An zU@1eUc@ZXw(Mg1n5w?>?C@^6S9R=tps2>M4bm-3l%;-W0*L9r@8#Y{5C=?D13=Fhb zjp8=oHRO&SJA9vsN5*tmgCwatki-ZhXkK_VI%*UP8Vdc{bE7p%saXen3|em<;s;GOMj(Ohn+dCumBsd$Byh9%e8esl4;T3L8d!R5`ksmWDDrfZw$lv zYZ+s7W2!#if?O_#)|wy)IC}J`zjyE6KgMyqUrIUQy6%+gy2T6k1v9G?b8_EPFSIRR z`%dACwT}rQS2%9L%j6cKgDOH;n8vrDQ5}rI7>!mIQc66}9u4hbUb~5<<+|8wLsxG z4o8l>7r*wWSD)Cwe}B>QJc1x#&6+iR8#iveW=^eo2u=N)95u*dAZ#cAYNz)-xohl$ z1Dk5`*zaOdK7WD0x zH#ggH9NTlUcKLflQC|QG&X1Ux^LYRb88hd>0|Nt@d_Mm|Q&ZE@a=HBCjvYJhpSkvL Ye0z&Ip$~b(6951J07*qoM6N<$f=SFb?*IS* diff --git a/core/img/filetypes/web.svg b/core/img/filetypes/web.svg index 6ea49d59fb4..67775a2233b 100644 --- a/core/img/filetypes/web.svg +++ b/core/img/filetypes/web.svg @@ -14,34 +14,32 @@ - + - + - + - + - - - - - - - - - + + + + + + + -- GitLab From 7adfc27cafa6f94962a33c158af9c45e71e012c5 Mon Sep 17 00:00:00 2001 From: Bjoern Schiessle Date: Thu, 15 Aug 2013 13:13:16 +0200 Subject: [PATCH 239/415] remove whitespaces and some leftover code from testing --- apps/files/js/files.js | 2 +- apps/files_encryption/lib/crypt.php | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/apps/files/js/files.js b/apps/files/js/files.js index d6886fc17e4..f5db0207966 100644 --- a/apps/files/js/files.js +++ b/apps/files/js/files.js @@ -91,7 +91,7 @@ Files={ var encryptedFiles = $('#encryptedFiles').val(); if (encryptedFiles === '1') { - OC.Notification.show(t('files_encryption', 'Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files.', "www.schiessle.org")); + OC.Notification.show(t('files_encryption', 'Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files.')); return; } } diff --git a/apps/files_encryption/lib/crypt.php b/apps/files_encryption/lib/crypt.php index 759e14b40b2..6543a0de5f3 100755 --- a/apps/files_encryption/lib/crypt.php +++ b/apps/files_encryption/lib/crypt.php @@ -662,5 +662,5 @@ class Crypt { return rtrim($result, "\0"); } } - + } \ No newline at end of file -- GitLab From 7fe9320ffe60d9f8346f424a235bbc51c99f9484 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Thu, 15 Aug 2013 13:20:31 +0200 Subject: [PATCH 240/415] improve unknown backend --- lib/helper.php | 33 ++++++++++++++++++++++++++++++++- lib/preview/unknown.php | 22 +++------------------- 2 files changed, 35 insertions(+), 20 deletions(-) diff --git a/lib/helper.php b/lib/helper.php index b74e4c4512e..6552bcce703 100644 --- a/lib/helper.php +++ b/lib/helper.php @@ -188,7 +188,38 @@ class OC_Helper { * Returns the path to the image of this file type. */ public static function mimetypeIcon($mimetype) { - $alias = array('application/xml' => 'code/xml'); + $alias = array( + 'application/xml' => 'code/xml', + 'application/msword' => 'x-office/document', + 'application/vnd.openxmlformats-officedocument.wordprocessingml.document' => 'x-office/document', + 'application/vnd.openxmlformats-officedocument.wordprocessingml.template' => 'x-office/document', + 'application/vnd.ms-word.document.macroEnabled.12' => 'x-office/document', + 'application/vnd.ms-word.template.macroEnabled.12' => 'x-office/document', + 'application/vnd.oasis.opendocument.text' => 'x-office/document', + 'application/vnd.oasis.opendocument.text-template' => 'x-office/document', + 'application/vnd.oasis.opendocument.text-web' => 'x-office/document', + 'application/vnd.oasis.opendocument.text-master' => 'x-office/document', + 'application/vnd.ms-powerpoint' => 'x-office/presentation', + 'application/vnd.openxmlformats-officedocument.presentationml.presentation' => 'x-office/presentation', + 'application/vnd.openxmlformats-officedocument.presentationml.template' => 'x-office/presentation', + 'application/vnd.openxmlformats-officedocument.presentationml.slideshow' => 'x-office/presentation', + 'application/vnd.ms-powerpoint.addin.macroEnabled.12' => 'x-office/presentation', + 'application/vnd.ms-powerpoint.presentation.macroEnabled.12' => 'x-office/presentation', + 'application/vnd.ms-powerpoint.template.macroEnabled.12' => 'x-office/presentation', + 'application/vnd.ms-powerpoint.slideshow.macroEnabled.12' => 'x-office/presentation', + 'application/vnd.oasis.opendocument.presentation' => 'x-office/presentation', + 'application/vnd.oasis.opendocument.presentation-template' => 'x-office/presentation', + 'application/vnd.ms-excel' => 'x-office/spreadsheet', + 'application/vnd.openxmlformats-officedocument.spreadsheetml.sheet' => 'x-office/spreadsheet', + 'application/vnd.openxmlformats-officedocument.spreadsheetml.template' => 'x-office/spreadsheet', + 'application/vnd.ms-excel.sheet.macroEnabled.12' => 'x-office/spreadsheet', + 'application/vnd.ms-excel.template.macroEnabled.12' => 'x-office/spreadsheet', + 'application/vnd.ms-excel.addin.macroEnabled.12' => 'x-office/spreadsheet', + 'application/vnd.ms-excel.sheet.binary.macroEnabled.12' => 'x-office/spreadsheet', + 'application/vnd.oasis.opendocument.spreadsheet' => 'x-office/spreadsheet', + 'application/vnd.oasis.opendocument.spreadsheet-template' => 'x-office/spreadsheet', + ); + if (isset($alias[$mimetype])) { $mimetype = $alias[$mimetype]; } diff --git a/lib/preview/unknown.php b/lib/preview/unknown.php index ba13ca35d66..9e6cd68d401 100644 --- a/lib/preview/unknown.php +++ b/lib/preview/unknown.php @@ -16,27 +16,11 @@ class Unknown extends Provider { public function getThumbnail($path, $maxX, $maxY, $scalingup, $fileview) { $mimetype = $fileview->getMimeType($path); - if(substr_count($mimetype, '/')) { - list($type, $subtype) = explode('/', $mimetype); - } - $iconsRoot = \OC::$SERVERROOT . '/core/img/filetypes/'; + $path = \OC_Helper::mimetypeIcon($mimetype); + $path = \OC::$SERVERROOT . substr($path, strlen(\OC::$WEBROOT)); - if(isset($type)){ - $icons = array($mimetype, $type, 'text'); - }else{ - $icons = array($mimetype, 'text'); - } - foreach($icons as $icon) { - $icon = str_replace('/', '-', $icon); - - $iconPath = $iconsRoot . $icon . '.png'; - - if(file_exists($iconPath)) { - return new \OC_Image($iconPath); - } - } - return false; + return new \OC_Image($path); } } -- GitLab From 825d8610d0abbf1063df3019533253908142ae43 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Thu, 15 Aug 2013 13:21:35 +0200 Subject: [PATCH 241/415] fix svg and cache transparency issue --- lib/image.php | 3 +++ lib/preview.php | 2 ++ lib/preview/svg.php | 8 +++++--- 3 files changed, 10 insertions(+), 3 deletions(-) diff --git a/lib/image.php b/lib/image.php index 4bc38e20e56..53ffb24d18c 100644 --- a/lib/image.php +++ b/lib/image.php @@ -496,6 +496,9 @@ class OC_Image { return false; } $this->resource = @imagecreatefromstring($str); + imagealphablending($this->resource, false); + imagesavealpha($this->resource, true); + if(!$this->resource) { OC_Log::write('core', 'OC_Image->loadFromData, couldn\'t load', OC_Log::DEBUG); return false; diff --git a/lib/preview.php b/lib/preview.php index 293accb188a..e7dd327d021 100755 --- a/lib/preview.php +++ b/lib/preview.php @@ -391,6 +391,8 @@ class Preview { continue; } + \OC_Log::write('core', 'Generating preview for "' . $file . '" with "' . get_class($provider) . '"', \OC_Log::DEBUG); + $preview = $provider->getThumbnail($file, $maxX, $maxY, $scalingUp, $this->fileview); if(!($preview instanceof \OC_Image)) { diff --git a/lib/preview/svg.php b/lib/preview/svg.php index e939e526b1b..b49e51720fa 100644 --- a/lib/preview/svg.php +++ b/lib/preview/svg.php @@ -18,7 +18,7 @@ if (extension_loaded('imagick')) { public function getThumbnail($path,$maxX,$maxY,$scalingup,$fileview) { try{ $svg = new \Imagick(); - $svg->setResolution($maxX, $maxY); + $svg->setBackgroundColor(new \ImagickPixel('transparent')); $content = stream_get_contents($fileview->fopen($path, 'r')); if(substr($content, 0, 5) !== 'readImageBlob($content); - $svg->setImageFormat('jpg'); + $svg->setImageFormat('png32'); } catch (\Exception $e) { \OC_Log::write('core', $e->getmessage(), \OC_Log::ERROR); return false; } + //new image object - $image = new \OC_Image($svg); + $image = new \OC_Image(); + $image->loadFromData($svg); //check if image object is valid return $image->valid() ? $image : false; } -- GitLab From 7a11911aead74e07ba2917be27e343ff93ca931f Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Thu, 15 Aug 2013 13:25:45 +0200 Subject: [PATCH 242/415] add comment to make @jancborchardt happy --- lib/preview/txt.php | 1 + 1 file changed, 1 insertion(+) diff --git a/lib/preview/txt.php b/lib/preview/txt.php index c06f445e827..a487330691e 100644 --- a/lib/preview/txt.php +++ b/lib/preview/txt.php @@ -17,6 +17,7 @@ class TXT extends Provider { $content = $fileview->fopen($path, 'r'); $content = stream_get_contents($content); + //don't create previews of empty text files if(trim($content) === '') { return false; } -- GitLab From c71408eaa9f4614cb8caa726ed3172ce77a359f2 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Thu, 15 Aug 2013 15:38:33 +0200 Subject: [PATCH 243/415] fixing call to join --- l10n/l10n.pl | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/l10n/l10n.pl b/l10n/l10n.pl index 2790ca92015..851be8f7ccf 100644 --- a/l10n/l10n.pl +++ b/l10n/l10n.pl @@ -159,7 +159,7 @@ elsif( $task eq 'write' ){ push( @variants, $string->msgstr_n()->{$variant} ); } - push( @strings, "\"$identifier\" => array(".join(@variants, ",").")"); + push( @strings, "\"$identifier\" => array(".join(",", @variants).")"); } else{ # singular translations -- GitLab From ada13a4d40feb4802ca393b8c0a8e09f35f571c2 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Thu, 15 Aug 2013 15:41:45 +0200 Subject: [PATCH 244/415] fixing all broken translation files --- apps/files/l10n/ar.php | 6 +++--- apps/files/l10n/bg_BG.php | 6 +++--- apps/files/l10n/bn_BD.php | 6 +++--- apps/files/l10n/ca.php | 6 +++--- apps/files/l10n/cs_CZ.php | 6 +++--- apps/files/l10n/cy_GB.php | 6 +++--- apps/files/l10n/da.php | 6 +++--- apps/files/l10n/de.php | 6 +++--- apps/files/l10n/de_DE.php | 6 +++--- apps/files/l10n/el.php | 6 +++--- apps/files/l10n/en@pirate.php | 6 +++--- apps/files/l10n/eo.php | 6 +++--- apps/files/l10n/es.php | 6 +++--- apps/files/l10n/es_AR.php | 6 +++--- apps/files/l10n/et_EE.php | 6 +++--- apps/files/l10n/eu.php | 6 +++--- apps/files/l10n/fa.php | 6 +++--- apps/files/l10n/fi_FI.php | 6 +++--- apps/files/l10n/fr.php | 6 +++--- apps/files/l10n/gl.php | 6 +++--- apps/files/l10n/he.php | 6 +++--- apps/files/l10n/hi.php | 6 +++--- apps/files/l10n/hr.php | 6 +++--- apps/files/l10n/hu_HU.php | 6 +++--- apps/files/l10n/hy.php | 6 +++--- apps/files/l10n/ia.php | 6 +++--- apps/files/l10n/id.php | 6 +++--- apps/files/l10n/is.php | 6 +++--- apps/files/l10n/it.php | 6 +++--- apps/files/l10n/ja_JP.php | 6 +++--- apps/files/l10n/ka.php | 6 +++--- apps/files/l10n/ka_GE.php | 6 +++--- apps/files/l10n/ko.php | 6 +++--- apps/files/l10n/ku_IQ.php | 6 +++--- apps/files/l10n/lb.php | 6 +++--- apps/files/l10n/lt_LT.php | 6 +++--- apps/files/l10n/lv.php | 6 +++--- apps/files/l10n/mk.php | 6 +++--- apps/files/l10n/ms_MY.php | 6 +++--- apps/files/l10n/my_MM.php | 6 +++--- apps/files/l10n/nb_NO.php | 6 +++--- apps/files/l10n/nl.php | 6 +++--- apps/files/l10n/nn_NO.php | 6 +++--- apps/files/l10n/oc.php | 6 +++--- apps/files/l10n/pl.php | 6 +++--- apps/files/l10n/pt_BR.php | 6 +++--- apps/files/l10n/pt_PT.php | 6 +++--- apps/files/l10n/ro.php | 6 +++--- apps/files/l10n/ru.php | 6 +++--- apps/files/l10n/si_LK.php | 6 +++--- apps/files/l10n/sk_SK.php | 6 +++--- apps/files/l10n/sl.php | 6 +++--- apps/files/l10n/sq.php | 6 +++--- apps/files/l10n/sr.php | 6 +++--- apps/files/l10n/sr@latin.php | 6 +++--- apps/files/l10n/sv.php | 6 +++--- apps/files/l10n/ta_LK.php | 6 +++--- apps/files/l10n/te.php | 6 +++--- apps/files/l10n/th_TH.php | 6 +++--- apps/files/l10n/tr.php | 6 +++--- apps/files/l10n/ug.php | 6 +++--- apps/files/l10n/uk.php | 6 +++--- apps/files/l10n/ur_PK.php | 6 +++--- apps/files/l10n/vi.php | 6 +++--- apps/files/l10n/zh_CN.GB2312.php | 6 +++--- apps/files/l10n/zh_CN.php | 6 +++--- apps/files/l10n/zh_HK.php | 6 +++--- apps/files/l10n/zh_TW.php | 6 +++--- apps/files_trashbin/l10n/ar.php | 4 ++-- apps/files_trashbin/l10n/bg_BG.php | 4 ++-- apps/files_trashbin/l10n/bn_BD.php | 4 ++-- apps/files_trashbin/l10n/ca.php | 4 ++-- apps/files_trashbin/l10n/cs_CZ.php | 4 ++-- apps/files_trashbin/l10n/cy_GB.php | 4 ++-- apps/files_trashbin/l10n/da.php | 4 ++-- apps/files_trashbin/l10n/de.php | 4 ++-- apps/files_trashbin/l10n/de_DE.php | 4 ++-- apps/files_trashbin/l10n/el.php | 4 ++-- apps/files_trashbin/l10n/eo.php | 4 ++-- apps/files_trashbin/l10n/es.php | 4 ++-- apps/files_trashbin/l10n/es_AR.php | 4 ++-- apps/files_trashbin/l10n/et_EE.php | 4 ++-- apps/files_trashbin/l10n/eu.php | 4 ++-- apps/files_trashbin/l10n/fa.php | 4 ++-- apps/files_trashbin/l10n/fi_FI.php | 4 ++-- apps/files_trashbin/l10n/fr.php | 4 ++-- apps/files_trashbin/l10n/gl.php | 4 ++-- apps/files_trashbin/l10n/he.php | 4 ++-- apps/files_trashbin/l10n/hr.php | 4 ++-- apps/files_trashbin/l10n/hu_HU.php | 4 ++-- apps/files_trashbin/l10n/hy.php | 4 ++-- apps/files_trashbin/l10n/ia.php | 4 ++-- apps/files_trashbin/l10n/id.php | 4 ++-- apps/files_trashbin/l10n/is.php | 4 ++-- apps/files_trashbin/l10n/it.php | 4 ++-- apps/files_trashbin/l10n/ja_JP.php | 4 ++-- apps/files_trashbin/l10n/ka_GE.php | 4 ++-- apps/files_trashbin/l10n/ko.php | 4 ++-- apps/files_trashbin/l10n/ku_IQ.php | 4 ++-- apps/files_trashbin/l10n/lb.php | 4 ++-- apps/files_trashbin/l10n/lt_LT.php | 4 ++-- apps/files_trashbin/l10n/lv.php | 4 ++-- apps/files_trashbin/l10n/mk.php | 4 ++-- apps/files_trashbin/l10n/ms_MY.php | 4 ++-- apps/files_trashbin/l10n/nb_NO.php | 4 ++-- apps/files_trashbin/l10n/nl.php | 4 ++-- apps/files_trashbin/l10n/nn_NO.php | 4 ++-- apps/files_trashbin/l10n/oc.php | 4 ++-- apps/files_trashbin/l10n/pl.php | 4 ++-- apps/files_trashbin/l10n/pt_BR.php | 4 ++-- apps/files_trashbin/l10n/pt_PT.php | 4 ++-- apps/files_trashbin/l10n/ro.php | 4 ++-- apps/files_trashbin/l10n/ru.php | 4 ++-- apps/files_trashbin/l10n/si_LK.php | 4 ++-- apps/files_trashbin/l10n/sk_SK.php | 4 ++-- apps/files_trashbin/l10n/sl.php | 4 ++-- apps/files_trashbin/l10n/sq.php | 4 ++-- apps/files_trashbin/l10n/sr.php | 4 ++-- apps/files_trashbin/l10n/sr@latin.php | 4 ++-- apps/files_trashbin/l10n/sv.php | 4 ++-- apps/files_trashbin/l10n/ta_LK.php | 4 ++-- apps/files_trashbin/l10n/te.php | 4 ++-- apps/files_trashbin/l10n/th_TH.php | 4 ++-- apps/files_trashbin/l10n/tr.php | 4 ++-- apps/files_trashbin/l10n/ug.php | 4 ++-- apps/files_trashbin/l10n/uk.php | 4 ++-- apps/files_trashbin/l10n/ur_PK.php | 4 ++-- apps/files_trashbin/l10n/vi.php | 4 ++-- apps/files_trashbin/l10n/zh_CN.GB2312.php | 4 ++-- apps/files_trashbin/l10n/zh_CN.php | 4 ++-- apps/files_trashbin/l10n/zh_HK.php | 4 ++-- apps/files_trashbin/l10n/zh_TW.php | 4 ++-- core/l10n/af_ZA.php | 8 ++++---- core/l10n/ar.php | 8 ++++---- core/l10n/be.php | 8 ++++---- core/l10n/bg_BG.php | 8 ++++---- core/l10n/bn_BD.php | 8 ++++---- core/l10n/bs.php | 8 ++++---- core/l10n/ca.php | 8 ++++---- core/l10n/cs_CZ.php | 8 ++++---- core/l10n/cy_GB.php | 8 ++++---- core/l10n/da.php | 8 ++++---- core/l10n/de.php | 8 ++++---- core/l10n/de_AT.php | 8 ++++---- core/l10n/de_CH.php | 8 ++++---- core/l10n/de_DE.php | 8 ++++---- core/l10n/el.php | 8 ++++---- core/l10n/en@pirate.php | 8 ++++---- core/l10n/eo.php | 8 ++++---- core/l10n/es.php | 8 ++++---- core/l10n/es_AR.php | 8 ++++---- core/l10n/et_EE.php | 8 ++++---- core/l10n/eu.php | 8 ++++---- core/l10n/fa.php | 8 ++++---- core/l10n/fi_FI.php | 8 ++++---- core/l10n/fr.php | 8 ++++---- core/l10n/gl.php | 8 ++++---- core/l10n/he.php | 8 ++++---- core/l10n/hi.php | 8 ++++---- core/l10n/hr.php | 8 ++++---- core/l10n/hu_HU.php | 8 ++++---- core/l10n/hy.php | 8 ++++---- core/l10n/ia.php | 8 ++++---- core/l10n/id.php | 8 ++++---- core/l10n/is.php | 8 ++++---- core/l10n/it.php | 8 ++++---- core/l10n/ja_JP.php | 8 ++++---- core/l10n/ka.php | 8 ++++---- core/l10n/ka_GE.php | 8 ++++---- core/l10n/kn.php | 8 ++++---- core/l10n/ko.php | 8 ++++---- core/l10n/ku_IQ.php | 8 ++++---- core/l10n/lb.php | 8 ++++---- core/l10n/lt_LT.php | 8 ++++---- core/l10n/lv.php | 8 ++++---- core/l10n/mk.php | 8 ++++---- core/l10n/ml_IN.php | 8 ++++---- core/l10n/ms_MY.php | 8 ++++---- core/l10n/my_MM.php | 8 ++++---- core/l10n/nb_NO.php | 8 ++++---- core/l10n/ne.php | 8 ++++---- core/l10n/nl.php | 8 ++++---- core/l10n/nn_NO.php | 8 ++++---- core/l10n/oc.php | 8 ++++---- core/l10n/pl.php | 8 ++++---- core/l10n/pt_BR.php | 8 ++++---- core/l10n/pt_PT.php | 8 ++++---- core/l10n/ro.php | 8 ++++---- core/l10n/ru.php | 8 ++++---- core/l10n/si_LK.php | 8 ++++---- core/l10n/sk.php | 8 ++++---- core/l10n/sk_SK.php | 8 ++++---- core/l10n/sl.php | 8 ++++---- core/l10n/sq.php | 8 ++++---- core/l10n/sr.php | 8 ++++---- core/l10n/sr@latin.php | 8 ++++---- core/l10n/sv.php | 8 ++++---- core/l10n/sw_KE.php | 8 ++++---- core/l10n/ta_LK.php | 8 ++++---- core/l10n/te.php | 8 ++++---- core/l10n/th_TH.php | 8 ++++---- core/l10n/tr.php | 8 ++++---- core/l10n/ug.php | 8 ++++---- core/l10n/uk.php | 8 ++++---- core/l10n/ur_PK.php | 8 ++++---- core/l10n/vi.php | 8 ++++---- core/l10n/zh_CN.GB2312.php | 8 ++++---- core/l10n/zh_CN.php | 8 ++++---- core/l10n/zh_HK.php | 8 ++++---- core/l10n/zh_TW.php | 8 ++++---- lib/l10n/af_ZA.php | 8 ++++---- lib/l10n/ar.php | 8 ++++---- lib/l10n/be.php | 8 ++++---- lib/l10n/bg_BG.php | 8 ++++---- lib/l10n/bn_BD.php | 8 ++++---- lib/l10n/bs.php | 8 ++++---- lib/l10n/ca.php | 8 ++++---- lib/l10n/cs_CZ.php | 8 ++++---- lib/l10n/cy_GB.php | 8 ++++---- lib/l10n/da.php | 8 ++++---- lib/l10n/de.php | 8 ++++---- lib/l10n/de_AT.php | 8 ++++---- lib/l10n/de_CH.php | 8 ++++---- lib/l10n/de_DE.php | 8 ++++---- lib/l10n/el.php | 8 ++++---- lib/l10n/en@pirate.php | 8 ++++---- lib/l10n/eo.php | 8 ++++---- lib/l10n/es.php | 8 ++++---- lib/l10n/es_AR.php | 8 ++++---- lib/l10n/et_EE.php | 8 ++++---- lib/l10n/eu.php | 8 ++++---- lib/l10n/fa.php | 8 ++++---- lib/l10n/fi_FI.php | 8 ++++---- lib/l10n/fr.php | 8 ++++---- lib/l10n/gl.php | 8 ++++---- lib/l10n/he.php | 8 ++++---- lib/l10n/hi.php | 8 ++++---- lib/l10n/hr.php | 8 ++++---- lib/l10n/hu_HU.php | 8 ++++---- lib/l10n/hy.php | 8 ++++---- lib/l10n/ia.php | 8 ++++---- lib/l10n/id.php | 8 ++++---- lib/l10n/is.php | 8 ++++---- lib/l10n/it.php | 8 ++++---- lib/l10n/ja_JP.php | 8 ++++---- lib/l10n/ka.php | 8 ++++---- lib/l10n/ka_GE.php | 8 ++++---- lib/l10n/kn.php | 8 ++++---- lib/l10n/ko.php | 8 ++++---- lib/l10n/ku_IQ.php | 8 ++++---- lib/l10n/lb.php | 8 ++++---- lib/l10n/lt_LT.php | 8 ++++---- lib/l10n/lv.php | 8 ++++---- lib/l10n/mk.php | 8 ++++---- lib/l10n/ml_IN.php | 8 ++++---- lib/l10n/ms_MY.php | 8 ++++---- lib/l10n/my_MM.php | 8 ++++---- lib/l10n/nb_NO.php | 8 ++++---- lib/l10n/ne.php | 8 ++++---- lib/l10n/nl.php | 8 ++++---- lib/l10n/nn_NO.php | 8 ++++---- lib/l10n/oc.php | 8 ++++---- lib/l10n/pl.php | 8 ++++---- lib/l10n/pt_BR.php | 8 ++++---- lib/l10n/pt_PT.php | 8 ++++---- lib/l10n/ro.php | 8 ++++---- lib/l10n/ru.php | 8 ++++---- lib/l10n/si_LK.php | 8 ++++---- lib/l10n/sk.php | 8 ++++---- lib/l10n/sk_SK.php | 8 ++++---- lib/l10n/sl.php | 8 ++++---- lib/l10n/sq.php | 8 ++++---- lib/l10n/sr.php | 8 ++++---- lib/l10n/sr@latin.php | 8 ++++---- lib/l10n/sv.php | 8 ++++---- lib/l10n/sw_KE.php | 8 ++++---- lib/l10n/ta_LK.php | 8 ++++---- lib/l10n/te.php | 8 ++++---- lib/l10n/th_TH.php | 8 ++++---- lib/l10n/tr.php | 8 ++++---- lib/l10n/ug.php | 8 ++++---- lib/l10n/uk.php | 8 ++++---- lib/l10n/ur_PK.php | 8 ++++---- lib/l10n/vi.php | 8 ++++---- lib/l10n/zh_CN.GB2312.php | 8 ++++---- lib/l10n/zh_CN.php | 8 ++++---- lib/l10n/zh_HK.php | 8 ++++---- lib/l10n/zh_TW.php | 8 ++++---- 288 files changed, 956 insertions(+), 956 deletions(-) diff --git a/apps/files/l10n/ar.php b/apps/files/l10n/ar.php index 8a86811b86f..a83420584c4 100644 --- a/apps/files/l10n/ar.php +++ b/apps/files/l10n/ar.php @@ -30,7 +30,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "استبدل {new_name} بـ {old_name}", "undo" => "تراجع", "perform delete operation" => "جاري تنفيذ عملية الحذف", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("","","","","",""), "'.' is an invalid file name." => "\".\" اسم ملف غير صحيح.", "File name cannot be empty." => "اسم الملف لا يجوز أن يكون فارغا", "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "اسم غير صحيح , الرموز '\\', '/', '<', '>', ':', '\"', '|', '?' و \"*\" غير مسموح استخدامها", @@ -41,8 +41,8 @@ $TRANSLATIONS = array( "Name" => "اسم", "Size" => "حجم", "Modified" => "معدل", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("","","","","",""), +"_%n file_::_%n files_" => array("","","","","",""), "Upload" => "رفع", "File handling" => "التعامل مع الملف", "Maximum upload size" => "الحد الأقصى لحجم الملفات التي يمكن رفعها", diff --git a/apps/files/l10n/bg_BG.php b/apps/files/l10n/bg_BG.php index a6849c30915..551a85ef9f4 100644 --- a/apps/files/l10n/bg_BG.php +++ b/apps/files/l10n/bg_BG.php @@ -18,12 +18,12 @@ $TRANSLATIONS = array( "replace" => "препокриване", "cancel" => "отказ", "undo" => "възтановяване", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "Name" => "Име", "Size" => "Размер", "Modified" => "Променено", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Upload" => "Качване", "Maximum upload size" => "Максимален размер за качване", "0 is unlimited" => "Ползвайте 0 за без ограничения", diff --git a/apps/files/l10n/bn_BD.php b/apps/files/l10n/bn_BD.php index ca77eea1c6e..655b6f22662 100644 --- a/apps/files/l10n/bn_BD.php +++ b/apps/files/l10n/bn_BD.php @@ -28,7 +28,7 @@ $TRANSLATIONS = array( "cancel" => "বাতিল", "replaced {new_name} with {old_name}" => "{new_name} কে {old_name} নামে প্রতিস্থাপন করা হয়েছে", "undo" => "ক্রিয়া প্রত্যাহার", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "'.' is an invalid file name." => "টি একটি অননুমোদিত নাম।", "File name cannot be empty." => "ফাইলের নামটি ফাঁকা রাখা যাবে না।", "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "নামটি সঠিক নয়, '\\', '/', '<', '>', ':', '\"', '|', '?' এবং '*' অনুমোদিত নয়।", @@ -36,8 +36,8 @@ $TRANSLATIONS = array( "Name" => "রাম", "Size" => "আকার", "Modified" => "পরিবর্তিত", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Upload" => "আপলোড", "File handling" => "ফাইল হ্যার্ডলিং", "Maximum upload size" => "আপলোডের সর্বোচ্চ আকার", diff --git a/apps/files/l10n/ca.php b/apps/files/l10n/ca.php index d928049f9bc..177790ab997 100644 --- a/apps/files/l10n/ca.php +++ b/apps/files/l10n/ca.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "s'ha substituït {old_name} per {new_name}", "undo" => "desfés", "perform delete operation" => "executa d'operació d'esborrar", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "fitxers pujant", "'.' is an invalid file name." => "'.' és un nom no vàlid per un fitxer.", "File name cannot be empty." => "El nom del fitxer no pot ser buit.", @@ -46,8 +46,8 @@ $TRANSLATIONS = array( "Name" => "Nom", "Size" => "Mida", "Modified" => "Modificat", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "%s could not be renamed" => "%s no es pot canviar el nom", "Upload" => "Puja", "File handling" => "Gestió de fitxers", diff --git a/apps/files/l10n/cs_CZ.php b/apps/files/l10n/cs_CZ.php index 4cd595bd7e2..b88be983df3 100644 --- a/apps/files/l10n/cs_CZ.php +++ b/apps/files/l10n/cs_CZ.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "nahrazeno {new_name} s {old_name}", "undo" => "vrátit zpět", "perform delete operation" => "provést smazání", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("","",""), "files uploading" => "soubory se odesílají", "'.' is an invalid file name." => "'.' je neplatným názvem souboru.", "File name cannot be empty." => "Název souboru nemůže být prázdný řetězec.", @@ -46,8 +46,8 @@ $TRANSLATIONS = array( "Name" => "Název", "Size" => "Velikost", "Modified" => "Upraveno", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("","",""), +"_%n file_::_%n files_" => array("","",""), "%s could not be renamed" => "%s nemůže být přejmenován", "Upload" => "Odeslat", "File handling" => "Zacházení se soubory", diff --git a/apps/files/l10n/cy_GB.php b/apps/files/l10n/cy_GB.php index c0639d9746f..ca8d3c52c0f 100644 --- a/apps/files/l10n/cy_GB.php +++ b/apps/files/l10n/cy_GB.php @@ -31,7 +31,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "newidiwyd {new_name} yn lle {old_name}", "undo" => "dadwneud", "perform delete operation" => "cyflawni gweithred dileu", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("","","",""), "files uploading" => "ffeiliau'n llwytho i fyny", "'.' is an invalid file name." => "Mae '.' yn enw ffeil annilys.", "File name cannot be empty." => "Does dim hawl cael enw ffeil gwag.", @@ -43,8 +43,8 @@ $TRANSLATIONS = array( "Name" => "Enw", "Size" => "Maint", "Modified" => "Addaswyd", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("","","",""), +"_%n file_::_%n files_" => array("","","",""), "Upload" => "Llwytho i fyny", "File handling" => "Trafod ffeiliau", "Maximum upload size" => "Maint mwyaf llwytho i fyny", diff --git a/apps/files/l10n/da.php b/apps/files/l10n/da.php index 639d910e107..43dde685f31 100644 --- a/apps/files/l10n/da.php +++ b/apps/files/l10n/da.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "erstattede {new_name} med {old_name}", "undo" => "fortryd", "perform delete operation" => "udfør slet operation", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "uploader filer", "'.' is an invalid file name." => "'.' er et ugyldigt filnavn.", "File name cannot be empty." => "Filnavnet kan ikke stå tomt.", @@ -46,8 +46,8 @@ $TRANSLATIONS = array( "Name" => "Navn", "Size" => "Størrelse", "Modified" => "Ændret", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "%s could not be renamed" => "%s kunne ikke omdøbes", "Upload" => "Upload", "File handling" => "Filhåndtering", diff --git a/apps/files/l10n/de.php b/apps/files/l10n/de.php index a1be267f4d9..debfac152a7 100644 --- a/apps/files/l10n/de.php +++ b/apps/files/l10n/de.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "{old_name} ersetzt durch {new_name}", "undo" => "rückgängig machen", "perform delete operation" => "Löschvorgang ausführen", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "Dateien werden hoch geladen", "'.' is an invalid file name." => "'.' ist kein gültiger Dateiname.", "File name cannot be empty." => "Der Dateiname darf nicht leer sein.", @@ -46,8 +46,8 @@ $TRANSLATIONS = array( "Name" => "Name", "Size" => "Größe", "Modified" => "Geändert", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "%s could not be renamed" => "%s konnte nicht umbenannt werden", "Upload" => "Hochladen", "File handling" => "Dateibehandlung", diff --git a/apps/files/l10n/de_DE.php b/apps/files/l10n/de_DE.php index 115ab136420..8efb9642828 100644 --- a/apps/files/l10n/de_DE.php +++ b/apps/files/l10n/de_DE.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "{old_name} wurde ersetzt durch {new_name}", "undo" => "rückgängig machen", "perform delete operation" => "Löschvorgang ausführen", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("Es werden %n Dateien hochgeladen","Es werden %n Dateien hochgeladen"), "files uploading" => "Dateien werden hoch geladen", "'.' is an invalid file name." => "'.' ist kein gültiger Dateiname.", "File name cannot be empty." => "Der Dateiname darf nicht leer sein.", @@ -46,8 +46,8 @@ $TRANSLATIONS = array( "Name" => "Name", "Size" => "Größe", "Modified" => "Geändert", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "%s could not be renamed" => "%s konnte nicht umbenannt werden", "Upload" => "Hochladen", "File handling" => "Dateibehandlung", diff --git a/apps/files/l10n/el.php b/apps/files/l10n/el.php index 2778276a8c0..9eaad889d10 100644 --- a/apps/files/l10n/el.php +++ b/apps/files/l10n/el.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "αντικαταστάθηκε το {new_name} με {old_name}", "undo" => "αναίρεση", "perform delete operation" => "εκτέλεση της διαδικασίας διαγραφής", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "αρχεία ανεβαίνουν", "'.' is an invalid file name." => "'.' είναι μη έγκυρο όνομα αρχείου.", "File name cannot be empty." => "Το όνομα αρχείου δεν μπορεί να είναι κενό.", @@ -46,8 +46,8 @@ $TRANSLATIONS = array( "Name" => "Όνομα", "Size" => "Μέγεθος", "Modified" => "Τροποποιήθηκε", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "%s could not be renamed" => "Αδυναμία μετονομασίας του %s", "Upload" => "Μεταφόρτωση", "File handling" => "Διαχείριση αρχείων", diff --git a/apps/files/l10n/en@pirate.php b/apps/files/l10n/en@pirate.php index c9c54ed74c3..83351f265f0 100644 --- a/apps/files/l10n/en@pirate.php +++ b/apps/files/l10n/en@pirate.php @@ -1,8 +1,8 @@ array(,), -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Download" => "Download" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/apps/files/l10n/eo.php b/apps/files/l10n/eo.php index 0f433a81e25..d6916a9a8db 100644 --- a/apps/files/l10n/eo.php +++ b/apps/files/l10n/eo.php @@ -32,7 +32,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "anstataŭiĝis {new_name} per {old_name}", "undo" => "malfari", "perform delete operation" => "plenumi forigan operacion", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "dosieroj estas alŝutataj", "'.' is an invalid file name." => "'.' ne estas valida dosiernomo.", "File name cannot be empty." => "Dosiernomo devas ne malpleni.", @@ -44,8 +44,8 @@ $TRANSLATIONS = array( "Name" => "Nomo", "Size" => "Grando", "Modified" => "Modifita", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Upload" => "Alŝuti", "File handling" => "Dosieradministro", "Maximum upload size" => "Maksimuma alŝutogrando", diff --git a/apps/files/l10n/es.php b/apps/files/l10n/es.php index 031ed460c49..36363661232 100644 --- a/apps/files/l10n/es.php +++ b/apps/files/l10n/es.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "reemplazado {new_name} con {old_name}", "undo" => "deshacer", "perform delete operation" => "Realizar operación de borrado", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "subiendo archivos", "'.' is an invalid file name." => "'.' no es un nombre de archivo válido.", "File name cannot be empty." => "El nombre de archivo no puede estar vacío.", @@ -46,8 +46,8 @@ $TRANSLATIONS = array( "Name" => "Nombre", "Size" => "Tamaño", "Modified" => "Modificado", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "%s could not be renamed" => "%s no se pudo renombrar", "Upload" => "Subir", "File handling" => "Manejo de archivos", diff --git a/apps/files/l10n/es_AR.php b/apps/files/l10n/es_AR.php index 33403644dfb..8c5decaeb10 100644 --- a/apps/files/l10n/es_AR.php +++ b/apps/files/l10n/es_AR.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "se reemplazó {new_name} con {old_name}", "undo" => "deshacer", "perform delete operation" => "Llevar a cabo borrado", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "Subiendo archivos", "'.' is an invalid file name." => "'.' es un nombre de archivo inválido.", "File name cannot be empty." => "El nombre del archivo no puede quedar vacío.", @@ -46,8 +46,8 @@ $TRANSLATIONS = array( "Name" => "Nombre", "Size" => "Tamaño", "Modified" => "Modificado", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "%s could not be renamed" => "No se pudo renombrar %s", "Upload" => "Subir", "File handling" => "Tratamiento de archivos", diff --git a/apps/files/l10n/et_EE.php b/apps/files/l10n/et_EE.php index b2978304ac5..13dd4a78d34 100644 --- a/apps/files/l10n/et_EE.php +++ b/apps/files/l10n/et_EE.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "asendas nime {old_name} nimega {new_name}", "undo" => "tagasi", "perform delete operation" => "teosta kustutamine", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "faili üleslaadimisel", "'.' is an invalid file name." => "'.' on vigane failinimi.", "File name cannot be empty." => "Faili nimi ei saa olla tühi.", @@ -46,8 +46,8 @@ $TRANSLATIONS = array( "Name" => "Nimi", "Size" => "Suurus", "Modified" => "Muudetud", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "%s could not be renamed" => "%s ümbernimetamine ebaõnnestus", "Upload" => "Lae üles", "File handling" => "Failide käsitlemine", diff --git a/apps/files/l10n/eu.php b/apps/files/l10n/eu.php index 7f29f09fc7f..02b2730ddcd 100644 --- a/apps/files/l10n/eu.php +++ b/apps/files/l10n/eu.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => " {new_name}-k {old_name} ordezkatu du", "undo" => "desegin", "perform delete operation" => "Ezabatu", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "fitxategiak igotzen", "'.' is an invalid file name." => "'.' ez da fitxategi izen baliogarria.", "File name cannot be empty." => "Fitxategi izena ezin da hutsa izan.", @@ -46,8 +46,8 @@ $TRANSLATIONS = array( "Name" => "Izena", "Size" => "Tamaina", "Modified" => "Aldatuta", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "%s could not be renamed" => "%s ezin da berrizendatu", "Upload" => "Igo", "File handling" => "Fitxategien kudeaketa", diff --git a/apps/files/l10n/fa.php b/apps/files/l10n/fa.php index 11f8cff3999..e749f7bf0e9 100644 --- a/apps/files/l10n/fa.php +++ b/apps/files/l10n/fa.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "{نام_جدید} با { نام_قدیمی} جایگزین شد.", "undo" => "بازگشت", "perform delete operation" => "انجام عمل حذف", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array(""), "files uploading" => "بارگذاری فایل ها", "'.' is an invalid file name." => "'.' یک نام پرونده نامعتبر است.", "File name cannot be empty." => "نام پرونده نمی تواند خالی باشد.", @@ -46,8 +46,8 @@ $TRANSLATIONS = array( "Name" => "نام", "Size" => "اندازه", "Modified" => "تاریخ", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array(""), +"_%n file_::_%n files_" => array(""), "%s could not be renamed" => "%s نمیتواند تغییر نام دهد.", "Upload" => "بارگزاری", "File handling" => "اداره پرونده ها", diff --git a/apps/files/l10n/fi_FI.php b/apps/files/l10n/fi_FI.php index f0790b469b3..cc20d8bb3ae 100644 --- a/apps/files/l10n/fi_FI.php +++ b/apps/files/l10n/fi_FI.php @@ -30,7 +30,7 @@ $TRANSLATIONS = array( "cancel" => "peru", "undo" => "kumoa", "perform delete operation" => "suorita poistotoiminto", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "'.' is an invalid file name." => "'.' on virheellinen nimi tiedostolle.", "File name cannot be empty." => "Tiedoston nimi ei voi olla tyhjä.", "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Virheellinen nimi, merkit '\\', '/', '<', '>', ':', '\"', '|', '?' ja '*' eivät ole sallittuja.", @@ -40,8 +40,8 @@ $TRANSLATIONS = array( "Name" => "Nimi", "Size" => "Koko", "Modified" => "Muokattu", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Upload" => "Lähetä", "File handling" => "Tiedostonhallinta", "Maximum upload size" => "Lähetettävän tiedoston suurin sallittu koko", diff --git a/apps/files/l10n/fr.php b/apps/files/l10n/fr.php index 9d5b7632a80..1f6dff8ce99 100644 --- a/apps/files/l10n/fr.php +++ b/apps/files/l10n/fr.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "{new_name} a été remplacé par {old_name}", "undo" => "annuler", "perform delete operation" => "effectuer l'opération de suppression", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "fichiers en cours d'envoi", "'.' is an invalid file name." => "'.' n'est pas un nom de fichier valide.", "File name cannot be empty." => "Le nom de fichier ne peut être vide.", @@ -46,8 +46,8 @@ $TRANSLATIONS = array( "Name" => "Nom", "Size" => "Taille", "Modified" => "Modifié", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "%s could not be renamed" => "%s ne peut être renommé", "Upload" => "Envoyer", "File handling" => "Gestion des fichiers", diff --git a/apps/files/l10n/gl.php b/apps/files/l10n/gl.php index 0dc681a571a..92c9a9d5c25 100644 --- a/apps/files/l10n/gl.php +++ b/apps/files/l10n/gl.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "substituír {new_name} por {old_name}", "undo" => "desfacer", "perform delete operation" => "realizar a operación de eliminación", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "ficheiros enviándose", "'.' is an invalid file name." => "«.» é un nome de ficheiro incorrecto", "File name cannot be empty." => "O nome de ficheiro non pode estar baleiro", @@ -46,8 +46,8 @@ $TRANSLATIONS = array( "Name" => "Nome", "Size" => "Tamaño", "Modified" => "Modificado", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "%s could not be renamed" => "%s non pode cambiar de nome", "Upload" => "Enviar", "File handling" => "Manexo de ficheiro", diff --git a/apps/files/l10n/he.php b/apps/files/l10n/he.php index 1868ffe1d65..2f66e3ece31 100644 --- a/apps/files/l10n/he.php +++ b/apps/files/l10n/he.php @@ -30,14 +30,14 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "{new_name} הוחלף ב־{old_name}", "undo" => "ביטול", "perform delete operation" => "ביצוע פעולת מחיקה", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "קבצים בהעלאה", "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "השם שגוי, אסור להשתמש בתווים '\\', '/', '<', '>', ':', '\"', '|', '?' ו־'*'.", "Name" => "שם", "Size" => "גודל", "Modified" => "זמן שינוי", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Upload" => "העלאה", "File handling" => "טיפול בקבצים", "Maximum upload size" => "גודל העלאה מקסימלי", diff --git a/apps/files/l10n/hi.php b/apps/files/l10n/hi.php index 0066d8badda..7fb5a5b09d3 100644 --- a/apps/files/l10n/hi.php +++ b/apps/files/l10n/hi.php @@ -2,9 +2,9 @@ $TRANSLATIONS = array( "Error" => "त्रुटि", "Share" => "साझा करें", -"_Uploading %n file_::_Uploading %n files_" => array(,), -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Save" => "सहेजें" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/apps/files/l10n/hr.php b/apps/files/l10n/hr.php index a17161b0092..b1f1f6dcada 100644 --- a/apps/files/l10n/hr.php +++ b/apps/files/l10n/hr.php @@ -19,13 +19,13 @@ $TRANSLATIONS = array( "suggest name" => "predloži ime", "cancel" => "odustani", "undo" => "vrati", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("","",""), "files uploading" => "datoteke se učitavaju", "Name" => "Ime", "Size" => "Veličina", "Modified" => "Zadnja promjena", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("","",""), +"_%n file_::_%n files_" => array("","",""), "Upload" => "Učitaj", "File handling" => "datoteka za rukovanje", "Maximum upload size" => "Maksimalna veličina prijenosa", diff --git a/apps/files/l10n/hu_HU.php b/apps/files/l10n/hu_HU.php index 30bffdf1082..1bb46703903 100644 --- a/apps/files/l10n/hu_HU.php +++ b/apps/files/l10n/hu_HU.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "{new_name} fájlt kicseréltük ezzel: {old_name}", "undo" => "visszavonás", "perform delete operation" => "a törlés végrehajtása", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "fájl töltődik föl", "'.' is an invalid file name." => "'.' fájlnév érvénytelen.", "File name cannot be empty." => "A fájlnév nem lehet semmi.", @@ -46,8 +46,8 @@ $TRANSLATIONS = array( "Name" => "Név", "Size" => "Méret", "Modified" => "Módosítva", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "%s could not be renamed" => "%s átnevezése nem sikerült", "Upload" => "Feltöltés", "File handling" => "Fájlkezelés", diff --git a/apps/files/l10n/hy.php b/apps/files/l10n/hy.php index 4d4f4c0c775..9e9658de0e5 100644 --- a/apps/files/l10n/hy.php +++ b/apps/files/l10n/hy.php @@ -1,9 +1,9 @@ "Ջնջել", -"_Uploading %n file_::_Uploading %n files_" => array(,), -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Save" => "Պահպանել", "Download" => "Բեռնել" ); diff --git a/apps/files/l10n/ia.php b/apps/files/l10n/ia.php index af42d2f05e9..b2addebc2f6 100644 --- a/apps/files/l10n/ia.php +++ b/apps/files/l10n/ia.php @@ -7,12 +7,12 @@ $TRANSLATIONS = array( "Error" => "Error", "Share" => "Compartir", "Delete" => "Deler", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "Name" => "Nomine", "Size" => "Dimension", "Modified" => "Modificate", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Upload" => "Incargar", "Maximum upload size" => "Dimension maxime de incargamento", "Save" => "Salveguardar", diff --git a/apps/files/l10n/id.php b/apps/files/l10n/id.php index 79dd9e727a3..e07aa2e069e 100644 --- a/apps/files/l10n/id.php +++ b/apps/files/l10n/id.php @@ -31,7 +31,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "mengganti {new_name} dengan {old_name}", "undo" => "urungkan", "perform delete operation" => "Lakukan operasi penghapusan", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array(""), "files uploading" => "berkas diunggah", "'.' is an invalid file name." => "'.' bukan nama berkas yang valid.", "File name cannot be empty." => "Nama berkas tidak boleh kosong.", @@ -43,8 +43,8 @@ $TRANSLATIONS = array( "Name" => "Nama", "Size" => "Ukuran", "Modified" => "Dimodifikasi", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array(""), +"_%n file_::_%n files_" => array(""), "Upload" => "Unggah", "File handling" => "Penanganan berkas", "Maximum upload size" => "Ukuran pengunggahan maksimum", diff --git a/apps/files/l10n/is.php b/apps/files/l10n/is.php index 4e089be877c..dc90483dea9 100644 --- a/apps/files/l10n/is.php +++ b/apps/files/l10n/is.php @@ -28,7 +28,7 @@ $TRANSLATIONS = array( "cancel" => "hætta við", "replaced {new_name} with {old_name}" => "yfirskrifaði {new_name} með {old_name}", "undo" => "afturkalla", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "'.' is an invalid file name." => "'.' er ekki leyfilegt nafn.", "File name cannot be empty." => "Nafn skráar má ekki vera tómt", "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Ógilt nafn, táknin '\\', '/', '<', '>', ':', '\"', '|', '?' og '*' eru ekki leyfð.", @@ -36,8 +36,8 @@ $TRANSLATIONS = array( "Name" => "Nafn", "Size" => "Stærð", "Modified" => "Breytt", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Upload" => "Senda inn", "File handling" => "Meðhöndlun skrár", "Maximum upload size" => "Hámarks stærð innsendingar", diff --git a/apps/files/l10n/it.php b/apps/files/l10n/it.php index 34d4a752e37..37b7cecb123 100644 --- a/apps/files/l10n/it.php +++ b/apps/files/l10n/it.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "sostituito {new_name} con {old_name}", "undo" => "annulla", "perform delete operation" => "esegui l'operazione di eliminazione", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "caricamento file", "'.' is an invalid file name." => "'.' non è un nome file valido.", "File name cannot be empty." => "Il nome del file non può essere vuoto.", @@ -46,8 +46,8 @@ $TRANSLATIONS = array( "Name" => "Nome", "Size" => "Dimensione", "Modified" => "Modificato", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "%s could not be renamed" => "%s non può essere rinominato", "Upload" => "Carica", "File handling" => "Gestione file", diff --git a/apps/files/l10n/ja_JP.php b/apps/files/l10n/ja_JP.php index 6124d22b2f4..d7959988062 100644 --- a/apps/files/l10n/ja_JP.php +++ b/apps/files/l10n/ja_JP.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "{old_name} を {new_name} に置換", "undo" => "元に戻す", "perform delete operation" => "削除を実行", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array(""), "files uploading" => "ファイルをアップロード中", "'.' is an invalid file name." => "'.' は無効なファイル名です。", "File name cannot be empty." => "ファイル名を空にすることはできません。", @@ -46,8 +46,8 @@ $TRANSLATIONS = array( "Name" => "名前", "Size" => "サイズ", "Modified" => "変更", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array(""), +"_%n file_::_%n files_" => array(""), "%s could not be renamed" => "%sの名前を変更できませんでした", "Upload" => "アップロード", "File handling" => "ファイル操作", diff --git a/apps/files/l10n/ka.php b/apps/files/l10n/ka.php index 32c41840e5a..527a2c49b1c 100644 --- a/apps/files/l10n/ka.php +++ b/apps/files/l10n/ka.php @@ -1,9 +1,9 @@ "ფაილები", -"_Uploading %n file_::_Uploading %n files_" => array(,), -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array(""), +"_%n folder_::_%n folders_" => array(""), +"_%n file_::_%n files_" => array(""), "Download" => "გადმოწერა" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/apps/files/l10n/ka_GE.php b/apps/files/l10n/ka_GE.php index 63bbfd70326..40068f36d1f 100644 --- a/apps/files/l10n/ka_GE.php +++ b/apps/files/l10n/ka_GE.php @@ -31,7 +31,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "{new_name} შეცვლილია {old_name}–ით", "undo" => "დაბრუნება", "perform delete operation" => "მიმდინარეობს წაშლის ოპერაცია", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array(""), "files uploading" => "ფაილები იტვირთება", "'.' is an invalid file name." => "'.' არის დაუშვებელი ფაილის სახელი.", "File name cannot be empty." => "ფაილის სახელი არ შეიძლება იყოს ცარიელი.", @@ -43,8 +43,8 @@ $TRANSLATIONS = array( "Name" => "სახელი", "Size" => "ზომა", "Modified" => "შეცვლილია", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array(""), +"_%n file_::_%n files_" => array(""), "Upload" => "ატვირთვა", "File handling" => "ფაილის დამუშავება", "Maximum upload size" => "მაქსიმუმ ატვირთის ზომა", diff --git a/apps/files/l10n/ko.php b/apps/files/l10n/ko.php index ce3445c3660..323ba9556bd 100644 --- a/apps/files/l10n/ko.php +++ b/apps/files/l10n/ko.php @@ -31,7 +31,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "{old_name}이(가) {new_name}(으)로 대체됨", "undo" => "되돌리기", "perform delete operation" => "삭제 작업중", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array(""), "files uploading" => "파일 업로드중", "'.' is an invalid file name." => "'.' 는 올바르지 않은 파일 이름 입니다.", "File name cannot be empty." => "파일 이름이 비어 있을 수 없습니다.", @@ -43,8 +43,8 @@ $TRANSLATIONS = array( "Name" => "이름", "Size" => "크기", "Modified" => "수정됨", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array(""), +"_%n file_::_%n files_" => array(""), "Upload" => "업로드", "File handling" => "파일 처리", "Maximum upload size" => "최대 업로드 크기", diff --git a/apps/files/l10n/ku_IQ.php b/apps/files/l10n/ku_IQ.php index 76a66b06cc6..81177f9bea0 100644 --- a/apps/files/l10n/ku_IQ.php +++ b/apps/files/l10n/ku_IQ.php @@ -2,10 +2,10 @@ $TRANSLATIONS = array( "URL cannot be empty." => "ناونیشانی به‌سته‌ر نابێت به‌تاڵ بێت.", "Error" => "هه‌ڵه", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "Name" => "ناو", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Upload" => "بارکردن", "Save" => "پاشکه‌وتکردن", "Folder" => "بوخچه", diff --git a/apps/files/l10n/lb.php b/apps/files/l10n/lb.php index eb27a535e9c..c9b7c3462e5 100644 --- a/apps/files/l10n/lb.php +++ b/apps/files/l10n/lb.php @@ -16,12 +16,12 @@ $TRANSLATIONS = array( "replace" => "ersetzen", "cancel" => "ofbriechen", "undo" => "réckgängeg man", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "Name" => "Numm", "Size" => "Gréisst", "Modified" => "Geännert", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Upload" => "Eroplueden", "File handling" => "Fichier handling", "Maximum upload size" => "Maximum Upload Gréisst ", diff --git a/apps/files/l10n/lt_LT.php b/apps/files/l10n/lt_LT.php index 9580e64fda9..54fe271f2eb 100644 --- a/apps/files/l10n/lt_LT.php +++ b/apps/files/l10n/lt_LT.php @@ -32,7 +32,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "pakeiskite {new_name} į {old_name}", "undo" => "anuliuoti", "perform delete operation" => "ištrinti", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("","",""), "files uploading" => "įkeliami failai", "'.' is an invalid file name." => "'.' yra neleidžiamas failo pavadinime.", "File name cannot be empty." => "Failo pavadinimas negali būti tuščias.", @@ -44,8 +44,8 @@ $TRANSLATIONS = array( "Name" => "Pavadinimas", "Size" => "Dydis", "Modified" => "Pakeista", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("","",""), +"_%n file_::_%n files_" => array("","",""), "Upload" => "Įkelti", "File handling" => "Failų tvarkymas", "Maximum upload size" => "Maksimalus įkeliamo failo dydis", diff --git a/apps/files/l10n/lv.php b/apps/files/l10n/lv.php index 5012c9776ee..0eb0b8ceb3d 100644 --- a/apps/files/l10n/lv.php +++ b/apps/files/l10n/lv.php @@ -31,7 +31,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "aizvietoja {new_name} ar {old_name}", "undo" => "atsaukt", "perform delete operation" => "veikt dzēšanas darbību", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("","",""), "'.' is an invalid file name." => "'.' ir nederīgs datnes nosaukums.", "File name cannot be empty." => "Datnes nosaukums nevar būt tukšs.", "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Nederīgs nosaukums, nav atļauti '\\', '/', '<', '>', ':', '\"', '|', '?' un '*'.", @@ -42,8 +42,8 @@ $TRANSLATIONS = array( "Name" => "Nosaukums", "Size" => "Izmērs", "Modified" => "Mainīts", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("","",""), +"_%n file_::_%n files_" => array("","",""), "Upload" => "Augšupielādēt", "File handling" => "Datņu pārvaldība", "Maximum upload size" => "Maksimālais datņu augšupielādes apjoms", diff --git a/apps/files/l10n/mk.php b/apps/files/l10n/mk.php index a1cadeedcc2..faeaca9ae96 100644 --- a/apps/files/l10n/mk.php +++ b/apps/files/l10n/mk.php @@ -24,13 +24,13 @@ $TRANSLATIONS = array( "cancel" => "откажи", "replaced {new_name} with {old_name}" => "заменета {new_name} со {old_name}", "undo" => "врати", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Неправилно име. , '\\', '/', '<', '>', ':', '\"', '|', '?' и '*' не се дозволени.", "Name" => "Име", "Size" => "Големина", "Modified" => "Променето", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Upload" => "Подигни", "File handling" => "Ракување со датотеки", "Maximum upload size" => "Максимална големина за подигање", diff --git a/apps/files/l10n/ms_MY.php b/apps/files/l10n/ms_MY.php index 9ea8d2fd43d..b67a4d886de 100644 --- a/apps/files/l10n/ms_MY.php +++ b/apps/files/l10n/ms_MY.php @@ -16,12 +16,12 @@ $TRANSLATIONS = array( "Pending" => "Dalam proses", "replace" => "ganti", "cancel" => "Batal", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array(""), "Name" => "Nama", "Size" => "Saiz", "Modified" => "Dimodifikasi", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array(""), +"_%n file_::_%n files_" => array(""), "Upload" => "Muat naik", "File handling" => "Pengendalian fail", "Maximum upload size" => "Saiz maksimum muat naik", diff --git a/apps/files/l10n/my_MM.php b/apps/files/l10n/my_MM.php index dbade02e9cf..4dc63ffee2d 100644 --- a/apps/files/l10n/my_MM.php +++ b/apps/files/l10n/my_MM.php @@ -1,9 +1,9 @@ "ဖိုင်များ", -"_Uploading %n file_::_Uploading %n files_" => array(,), -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array(""), +"_%n folder_::_%n folders_" => array(""), +"_%n file_::_%n files_" => array(""), "Download" => "ဒေါင်းလုတ်" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/apps/files/l10n/nb_NO.php b/apps/files/l10n/nb_NO.php index d198f3762dc..dfd197d9205 100644 --- a/apps/files/l10n/nb_NO.php +++ b/apps/files/l10n/nb_NO.php @@ -33,7 +33,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "erstatt {new_name} med {old_name}", "undo" => "angre", "perform delete operation" => "utfør sletting", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "filer lastes opp", "'.' is an invalid file name." => "'.' er et ugyldig filnavn.", "File name cannot be empty." => "Filnavn kan ikke være tomt.", @@ -45,8 +45,8 @@ $TRANSLATIONS = array( "Name" => "Navn", "Size" => "Størrelse", "Modified" => "Endret", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Upload" => "Last opp", "File handling" => "Filhåndtering", "Maximum upload size" => "Maksimum opplastingsstørrelse", diff --git a/apps/files/l10n/nl.php b/apps/files/l10n/nl.php index 63d75a1a36f..6385dcee75b 100644 --- a/apps/files/l10n/nl.php +++ b/apps/files/l10n/nl.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "verving {new_name} met {old_name}", "undo" => "ongedaan maken", "perform delete operation" => "uitvoeren verwijderactie", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "bestanden aan het uploaden", "'.' is an invalid file name." => "'.' is een ongeldige bestandsnaam.", "File name cannot be empty." => "Bestandsnaam kan niet leeg zijn.", @@ -46,8 +46,8 @@ $TRANSLATIONS = array( "Name" => "Naam", "Size" => "Grootte", "Modified" => "Aangepast", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "%s could not be renamed" => "%s kon niet worden hernoemd", "Upload" => "Uploaden", "File handling" => "Bestand", diff --git a/apps/files/l10n/nn_NO.php b/apps/files/l10n/nn_NO.php index 1dd706913e6..fcaaa7d3331 100644 --- a/apps/files/l10n/nn_NO.php +++ b/apps/files/l10n/nn_NO.php @@ -32,7 +32,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "bytte ut {new_name} med {old_name}", "undo" => "angre", "perform delete operation" => "utfør sletting", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "filer lastar opp", "'.' is an invalid file name." => "«.» er eit ugyldig filnamn.", "File name cannot be empty." => "Filnamnet kan ikkje vera tomt.", @@ -44,8 +44,8 @@ $TRANSLATIONS = array( "Name" => "Namn", "Size" => "Storleik", "Modified" => "Endra", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Upload" => "Last opp", "File handling" => "Filhandtering", "Maximum upload size" => "Maksimal opplastingsstorleik", diff --git a/apps/files/l10n/oc.php b/apps/files/l10n/oc.php index fd3d20dac89..89aeeee9a85 100644 --- a/apps/files/l10n/oc.php +++ b/apps/files/l10n/oc.php @@ -19,13 +19,13 @@ $TRANSLATIONS = array( "suggest name" => "nom prepausat", "cancel" => "anulla", "undo" => "defar", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "fichièrs al amontcargar", "Name" => "Nom", "Size" => "Talha", "Modified" => "Modificat", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Upload" => "Amontcarga", "File handling" => "Manejament de fichièr", "Maximum upload size" => "Talha maximum d'amontcargament", diff --git a/apps/files/l10n/pl.php b/apps/files/l10n/pl.php index febcd84a3e1..15e746176f6 100644 --- a/apps/files/l10n/pl.php +++ b/apps/files/l10n/pl.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "zastąpiono {new_name} przez {old_name}", "undo" => "cofnij", "perform delete operation" => "wykonaj operację usunięcia", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("","",""), "files uploading" => "pliki wczytane", "'.' is an invalid file name." => "„.” jest nieprawidłową nazwą pliku.", "File name cannot be empty." => "Nazwa pliku nie może być pusta.", @@ -46,8 +46,8 @@ $TRANSLATIONS = array( "Name" => "Nazwa", "Size" => "Rozmiar", "Modified" => "Modyfikacja", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("","",""), +"_%n file_::_%n files_" => array("","",""), "%s could not be renamed" => "%s nie można zmienić nazwy", "Upload" => "Wyślij", "File handling" => "Zarządzanie plikami", diff --git a/apps/files/l10n/pt_BR.php b/apps/files/l10n/pt_BR.php index 948cd451da2..0728436d256 100644 --- a/apps/files/l10n/pt_BR.php +++ b/apps/files/l10n/pt_BR.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "Substituído {old_name} por {new_name} ", "undo" => "desfazer", "perform delete operation" => "realizar operação de exclusão", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "enviando arquivos", "'.' is an invalid file name." => "'.' é um nome de arquivo inválido.", "File name cannot be empty." => "O nome do arquivo não pode estar vazio.", @@ -46,8 +46,8 @@ $TRANSLATIONS = array( "Name" => "Nome", "Size" => "Tamanho", "Modified" => "Modificado", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "%s could not be renamed" => "%s não pode ser renomeado", "Upload" => "Upload", "File handling" => "Tratamento de Arquivo", diff --git a/apps/files/l10n/pt_PT.php b/apps/files/l10n/pt_PT.php index 0ff9381a1a4..4684a2d6052 100644 --- a/apps/files/l10n/pt_PT.php +++ b/apps/files/l10n/pt_PT.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "substituido {new_name} por {old_name}", "undo" => "desfazer", "perform delete operation" => "Executar a tarefa de apagar", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "A enviar os ficheiros", "'.' is an invalid file name." => "'.' não é um nome de ficheiro válido!", "File name cannot be empty." => "O nome do ficheiro não pode estar vazio.", @@ -46,8 +46,8 @@ $TRANSLATIONS = array( "Name" => "Nome", "Size" => "Tamanho", "Modified" => "Modificado", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "%s could not be renamed" => "%s não pode ser renomeada", "Upload" => "Carregar", "File handling" => "Manuseamento de ficheiros", diff --git a/apps/files/l10n/ro.php b/apps/files/l10n/ro.php index b31c1247791..d62525f205e 100644 --- a/apps/files/l10n/ro.php +++ b/apps/files/l10n/ro.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "{new_name} inlocuit cu {old_name}", "undo" => "Anulează ultima acțiune", "perform delete operation" => "efectueaza operatiunea de stergere", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("","",""), "files uploading" => "fișiere se încarcă", "'.' is an invalid file name." => "'.' este un nume invalid de fișier.", "File name cannot be empty." => "Numele fișierului nu poate rămâne gol.", @@ -46,8 +46,8 @@ $TRANSLATIONS = array( "Name" => "Nume", "Size" => "Dimensiune", "Modified" => "Modificat", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("","",""), +"_%n file_::_%n files_" => array("","",""), "%s could not be renamed" => "%s nu a putut fi redenumit", "Upload" => "Încărcare", "File handling" => "Manipulare fișiere", diff --git a/apps/files/l10n/ru.php b/apps/files/l10n/ru.php index b31bdd97e5a..28893b4a632 100644 --- a/apps/files/l10n/ru.php +++ b/apps/files/l10n/ru.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "заменено {new_name} на {old_name}", "undo" => "отмена", "perform delete operation" => "выполнить операцию удаления", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("","",""), "files uploading" => "файлы загружаются", "'.' is an invalid file name." => "'.' - неправильное имя файла.", "File name cannot be empty." => "Имя файла не может быть пустым.", @@ -46,8 +46,8 @@ $TRANSLATIONS = array( "Name" => "Имя", "Size" => "Размер", "Modified" => "Изменён", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("","",""), +"_%n file_::_%n files_" => array("","",""), "%s could not be renamed" => "%s не может быть переименован", "Upload" => "Загрузка", "File handling" => "Управление файлами", diff --git a/apps/files/l10n/si_LK.php b/apps/files/l10n/si_LK.php index ac5ad960a49..8341fdec665 100644 --- a/apps/files/l10n/si_LK.php +++ b/apps/files/l10n/si_LK.php @@ -19,12 +19,12 @@ $TRANSLATIONS = array( "suggest name" => "නමක් යෝජනා කරන්න", "cancel" => "අත් හරින්න", "undo" => "නිෂ්ප්‍රභ කරන්න", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "Name" => "නම", "Size" => "ප්‍රමාණය", "Modified" => "වෙනස් කළ", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Upload" => "උඩුගත කරන්න", "File handling" => "ගොනු පරිහරණය", "Maximum upload size" => "උඩුගත කිරීමක උපරිම ප්‍රමාණය", diff --git a/apps/files/l10n/sk_SK.php b/apps/files/l10n/sk_SK.php index 88e5818cfbb..51491bbc13f 100644 --- a/apps/files/l10n/sk_SK.php +++ b/apps/files/l10n/sk_SK.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "prepísaný {new_name} súborom {old_name}", "undo" => "vrátiť", "perform delete operation" => "vykonať zmazanie", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("","",""), "files uploading" => "nahrávanie súborov", "'.' is an invalid file name." => "'.' je neplatné meno súboru.", "File name cannot be empty." => "Meno súboru nemôže byť prázdne", @@ -46,8 +46,8 @@ $TRANSLATIONS = array( "Name" => "Názov", "Size" => "Veľkosť", "Modified" => "Upravené", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("","",""), +"_%n file_::_%n files_" => array("","",""), "%s could not be renamed" => "%s nemohol byť premenovaný", "Upload" => "Odoslať", "File handling" => "Nastavenie správania sa k súborom", diff --git a/apps/files/l10n/sl.php b/apps/files/l10n/sl.php index 89397e2e420..f71991d080a 100644 --- a/apps/files/l10n/sl.php +++ b/apps/files/l10n/sl.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "preimenovano ime {new_name} z imenom {old_name}", "undo" => "razveljavi", "perform delete operation" => "izvedi opravilo brisanja", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("","","",""), "files uploading" => "poteka pošiljanje datotek", "'.' is an invalid file name." => "'.' je neveljavno ime datoteke.", "File name cannot be empty." => "Ime datoteke ne sme biti prazno polje.", @@ -46,8 +46,8 @@ $TRANSLATIONS = array( "Name" => "Ime", "Size" => "Velikost", "Modified" => "Spremenjeno", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("","","",""), +"_%n file_::_%n files_" => array("","","",""), "%s could not be renamed" => "%s ni bilo mogoče preimenovati", "Upload" => "Pošlji", "File handling" => "Upravljanje z datotekami", diff --git a/apps/files/l10n/sq.php b/apps/files/l10n/sq.php index 5ad8de8aa5a..85bf22507e4 100644 --- a/apps/files/l10n/sq.php +++ b/apps/files/l10n/sq.php @@ -31,7 +31,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "U zëvëndësua {new_name} me {old_name}", "undo" => "anulo", "perform delete operation" => "ekzekuto operacionin e eliminimit", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "po ngarkoj skedarët", "'.' is an invalid file name." => "'.' është emër i pavlefshëm.", "File name cannot be empty." => "Emri i skedarit nuk mund të jetë bosh.", @@ -43,8 +43,8 @@ $TRANSLATIONS = array( "Name" => "Emri", "Size" => "Dimensioni", "Modified" => "Modifikuar", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Upload" => "Ngarko", "File handling" => "Trajtimi i skedarit", "Maximum upload size" => "Dimensioni maksimal i ngarkimit", diff --git a/apps/files/l10n/sr.php b/apps/files/l10n/sr.php index 8907b7ab2c9..5de6e32300e 100644 --- a/apps/files/l10n/sr.php +++ b/apps/files/l10n/sr.php @@ -31,7 +31,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "замењено {new_name} са {old_name}", "undo" => "опозови", "perform delete operation" => "обриши", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("","",""), "files uploading" => "датотеке се отпремају", "'.' is an invalid file name." => "Датотека „.“ је неисправног имена.", "File name cannot be empty." => "Име датотеке не може бити празно.", @@ -43,8 +43,8 @@ $TRANSLATIONS = array( "Name" => "Име", "Size" => "Величина", "Modified" => "Измењено", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("","",""), +"_%n file_::_%n files_" => array("","",""), "Upload" => "Отпреми", "File handling" => "Управљање датотекама", "Maximum upload size" => "Највећа величина датотеке", diff --git a/apps/files/l10n/sr@latin.php b/apps/files/l10n/sr@latin.php index 441253c5c81..856f3d46559 100644 --- a/apps/files/l10n/sr@latin.php +++ b/apps/files/l10n/sr@latin.php @@ -7,12 +7,12 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Nedostaje privremena fascikla", "Files" => "Fajlovi", "Delete" => "Obriši", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("","",""), "Name" => "Ime", "Size" => "Veličina", "Modified" => "Zadnja izmena", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("","",""), +"_%n file_::_%n files_" => array("","",""), "Upload" => "Pošalji", "Maximum upload size" => "Maksimalna veličina pošiljke", "Save" => "Snimi", diff --git a/apps/files/l10n/sv.php b/apps/files/l10n/sv.php index a96e1e8e4ab..141bf02c3c9 100644 --- a/apps/files/l10n/sv.php +++ b/apps/files/l10n/sv.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "ersatt {new_name} med {old_name}", "undo" => "ångra", "perform delete operation" => "utför raderingen", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "filer laddas upp", "'.' is an invalid file name." => "'.' är ett ogiltigt filnamn.", "File name cannot be empty." => "Filnamn kan inte vara tomt.", @@ -46,8 +46,8 @@ $TRANSLATIONS = array( "Name" => "Namn", "Size" => "Storlek", "Modified" => "Ändrad", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "%s could not be renamed" => "%s kunde inte namnändras", "Upload" => "Ladda upp", "File handling" => "Filhantering", diff --git a/apps/files/l10n/ta_LK.php b/apps/files/l10n/ta_LK.php index 64680ede69f..cc0180fe463 100644 --- a/apps/files/l10n/ta_LK.php +++ b/apps/files/l10n/ta_LK.php @@ -23,13 +23,13 @@ $TRANSLATIONS = array( "cancel" => "இரத்து செய்க", "replaced {new_name} with {old_name}" => "{new_name} ஆனது {old_name} இனால் மாற்றப்பட்டது", "undo" => "முன் செயல் நீக்கம் ", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "செல்லுபடியற்ற பெயர்,'\\', '/', '<', '>', ':', '\"', '|', '?' மற்றும் '*' ஆகியன அனுமதிக்கப்படமாட்டாது.", "Name" => "பெயர்", "Size" => "அளவு", "Modified" => "மாற்றப்பட்டது", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Upload" => "பதிவேற்றுக", "File handling" => "கோப்பு கையாளுதல்", "Maximum upload size" => "பதிவேற்றக்கூடிய ஆகக்கூடிய அளவு ", diff --git a/apps/files/l10n/te.php b/apps/files/l10n/te.php index df03fc9824f..eb431b6c100 100644 --- a/apps/files/l10n/te.php +++ b/apps/files/l10n/te.php @@ -4,11 +4,11 @@ $TRANSLATIONS = array( "Delete permanently" => "శాశ్వతంగా తొలగించు", "Delete" => "తొలగించు", "cancel" => "రద్దుచేయి", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "Name" => "పేరు", "Size" => "పరిమాణం", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Save" => "భద్రపరచు", "Folder" => "సంచయం" ); diff --git a/apps/files/l10n/th_TH.php b/apps/files/l10n/th_TH.php index bfdc1c072f4..bd91056b09b 100644 --- a/apps/files/l10n/th_TH.php +++ b/apps/files/l10n/th_TH.php @@ -30,7 +30,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "แทนที่ {new_name} ด้วย {old_name} แล้ว", "undo" => "เลิกทำ", "perform delete operation" => "ดำเนินการตามคำสั่งลบ", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array(""), "files uploading" => "การอัพโหลดไฟล์", "'.' is an invalid file name." => "'.' เป็นชื่อไฟล์ที่ไม่ถูกต้อง", "File name cannot be empty." => "ชื่อไฟล์ไม่สามารถเว้นว่างได้", @@ -42,8 +42,8 @@ $TRANSLATIONS = array( "Name" => "ชื่อ", "Size" => "ขนาด", "Modified" => "แก้ไขแล้ว", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array(""), +"_%n file_::_%n files_" => array(""), "Upload" => "อัพโหลด", "File handling" => "การจัดกาไฟล์", "Maximum upload size" => "ขนาดไฟล์สูงสุดที่อัพโหลดได้", diff --git a/apps/files/l10n/tr.php b/apps/files/l10n/tr.php index 9c597142210..4762ad0b829 100644 --- a/apps/files/l10n/tr.php +++ b/apps/files/l10n/tr.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "{new_name} ismi {old_name} ile değiştirildi", "undo" => "geri al", "perform delete operation" => "Silme işlemini gerçekleştir", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "Dosyalar yükleniyor", "'.' is an invalid file name." => "'.' geçersiz dosya adı.", "File name cannot be empty." => "Dosya adı boş olamaz.", @@ -46,8 +46,8 @@ $TRANSLATIONS = array( "Name" => "İsim", "Size" => "Boyut", "Modified" => "Değiştirilme", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "%s could not be renamed" => "%s yeniden adlandırılamadı", "Upload" => "Yükle", "File handling" => "Dosya taşıma", diff --git a/apps/files/l10n/ug.php b/apps/files/l10n/ug.php index 0b649b9eeb2..068c953ee1a 100644 --- a/apps/files/l10n/ug.php +++ b/apps/files/l10n/ug.php @@ -21,13 +21,13 @@ $TRANSLATIONS = array( "suggest name" => "تەۋسىيە ئات", "cancel" => "ۋاز كەچ", "undo" => "يېنىۋال", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array(""), "files uploading" => "ھۆججەت يۈكلىنىۋاتىدۇ", "Name" => "ئاتى", "Size" => "چوڭلۇقى", "Modified" => "ئۆزگەرتكەن", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array(""), +"_%n file_::_%n files_" => array(""), "Upload" => "يۈكلە", "Save" => "ساقلا", "New" => "يېڭى", diff --git a/apps/files/l10n/uk.php b/apps/files/l10n/uk.php index 122f0c696a8..4cc49c65085 100644 --- a/apps/files/l10n/uk.php +++ b/apps/files/l10n/uk.php @@ -31,7 +31,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "замінено {new_name} на {old_name}", "undo" => "відмінити", "perform delete operation" => "виконати операцію видалення", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("","",""), "files uploading" => "файли завантажуються", "'.' is an invalid file name." => "'.' це невірне ім'я файлу.", "File name cannot be empty." => " Ім'я файлу не може бути порожнім.", @@ -43,8 +43,8 @@ $TRANSLATIONS = array( "Name" => "Ім'я", "Size" => "Розмір", "Modified" => "Змінено", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("","",""), +"_%n file_::_%n files_" => array("","",""), "%s could not be renamed" => "%s не може бути перейменований", "Upload" => "Вивантажити", "File handling" => "Робота з файлами", diff --git a/apps/files/l10n/ur_PK.php b/apps/files/l10n/ur_PK.php index 8cdde14c26d..15c24700df0 100644 --- a/apps/files/l10n/ur_PK.php +++ b/apps/files/l10n/ur_PK.php @@ -1,9 +1,9 @@ "ایرر", -"_Uploading %n file_::_Uploading %n files_" => array(,), -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array("",""), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Unshare" => "شئیرنگ ختم کریں" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/apps/files/l10n/vi.php b/apps/files/l10n/vi.php index e778c0c3747..3684df65958 100644 --- a/apps/files/l10n/vi.php +++ b/apps/files/l10n/vi.php @@ -31,7 +31,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "đã thay thế {new_name} bằng {old_name}", "undo" => "lùi lại", "perform delete operation" => "thực hiện việc xóa", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array(""), "files uploading" => "tệp tin đang được tải lên", "'.' is an invalid file name." => "'.' là một tên file không hợp lệ", "File name cannot be empty." => "Tên file không được rỗng", @@ -43,8 +43,8 @@ $TRANSLATIONS = array( "Name" => "Tên", "Size" => "Kích cỡ", "Modified" => "Thay đổi", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array(""), +"_%n file_::_%n files_" => array(""), "Upload" => "Tải lên", "File handling" => "Xử lý tập tin", "Maximum upload size" => "Kích thước tối đa ", diff --git a/apps/files/l10n/zh_CN.GB2312.php b/apps/files/l10n/zh_CN.GB2312.php index 87177458a73..090b73cc54a 100644 --- a/apps/files/l10n/zh_CN.GB2312.php +++ b/apps/files/l10n/zh_CN.GB2312.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "已用 {old_name} 替换 {new_name}", "undo" => "撤销", "perform delete operation" => "执行删除", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array(""), "files uploading" => "个文件正在上传", "'.' is an invalid file name." => "'.' 文件名不正确", "File name cannot be empty." => "文件名不能为空", @@ -46,8 +46,8 @@ $TRANSLATIONS = array( "Name" => "名称", "Size" => "大小", "Modified" => "修改日期", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array(""), +"_%n file_::_%n files_" => array(""), "%s could not be renamed" => "不能重命名 %s", "Upload" => "上传", "File handling" => "文件处理中", diff --git a/apps/files/l10n/zh_CN.php b/apps/files/l10n/zh_CN.php index 248ca127044..e9fb20c69cb 100644 --- a/apps/files/l10n/zh_CN.php +++ b/apps/files/l10n/zh_CN.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "已将 {old_name}替换成 {new_name}", "undo" => "撤销", "perform delete operation" => "进行删除操作", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array(""), "files uploading" => "文件上传中", "'.' is an invalid file name." => "'.' 是一个无效的文件名。", "File name cannot be empty." => "文件名不能为空。", @@ -46,8 +46,8 @@ $TRANSLATIONS = array( "Name" => "名称", "Size" => "大小", "Modified" => "修改日期", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array(""), +"_%n file_::_%n files_" => array(""), "%s could not be renamed" => "%s 不能被重命名", "Upload" => "上传", "File handling" => "文件处理", diff --git a/apps/files/l10n/zh_HK.php b/apps/files/l10n/zh_HK.php index 9e806a2fbff..52f23f4a5d7 100644 --- a/apps/files/l10n/zh_HK.php +++ b/apps/files/l10n/zh_HK.php @@ -4,10 +4,10 @@ $TRANSLATIONS = array( "Error" => "錯誤", "Share" => "分享", "Delete" => "刪除", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array(""), "Name" => "名稱", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array(""), +"_%n file_::_%n files_" => array(""), "Upload" => "上傳", "Save" => "儲存", "Download" => "下載", diff --git a/apps/files/l10n/zh_TW.php b/apps/files/l10n/zh_TW.php index 620405b7b9f..2ee6116b132 100644 --- a/apps/files/l10n/zh_TW.php +++ b/apps/files/l10n/zh_TW.php @@ -34,7 +34,7 @@ $TRANSLATIONS = array( "replaced {new_name} with {old_name}" => "使用 {new_name} 取代 {old_name}", "undo" => "復原", "perform delete operation" => "進行刪除動作", -"_Uploading %n file_::_Uploading %n files_" => array(,), +"_Uploading %n file_::_Uploading %n files_" => array(""), "files uploading" => "檔案正在上傳中", "'.' is an invalid file name." => "'.' 是不合法的檔名。", "File name cannot be empty." => "檔名不能為空。", @@ -46,8 +46,8 @@ $TRANSLATIONS = array( "Name" => "名稱", "Size" => "大小", "Modified" => "修改", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array(""), +"_%n file_::_%n files_" => array(""), "%s could not be renamed" => "無法重新命名 %s", "Upload" => "上傳", "File handling" => "檔案處理", diff --git a/apps/files_trashbin/l10n/ar.php b/apps/files_trashbin/l10n/ar.php index 2fc2aed26ed..710a9d14196 100644 --- a/apps/files_trashbin/l10n/ar.php +++ b/apps/files_trashbin/l10n/ar.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "حذف بشكل دائم", "Name" => "اسم", "Deleted" => "تم الحذف", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("","","","","",""), +"_%n file_::_%n files_" => array("","","","","",""), "Nothing in here. Your trash bin is empty!" => "لا يوجد شيء هنا. سلة المهملات خاليه.", "Restore" => "استعيد", "Delete" => "إلغاء", diff --git a/apps/files_trashbin/l10n/bg_BG.php b/apps/files_trashbin/l10n/bg_BG.php index 7f4c7493b36..3c12e6906ed 100644 --- a/apps/files_trashbin/l10n/bg_BG.php +++ b/apps/files_trashbin/l10n/bg_BG.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Изтриване завинаги", "Name" => "Име", "Deleted" => "Изтрито", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Nothing in here. Your trash bin is empty!" => "Няма нищо. Кофата е празна!", "Restore" => "Възтановяване", "Delete" => "Изтриване", diff --git a/apps/files_trashbin/l10n/bn_BD.php b/apps/files_trashbin/l10n/bn_BD.php index e512b2360b5..c3741dbd1db 100644 --- a/apps/files_trashbin/l10n/bn_BD.php +++ b/apps/files_trashbin/l10n/bn_BD.php @@ -2,8 +2,8 @@ $TRANSLATIONS = array( "Error" => "সমস্যা", "Name" => "রাম", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Delete" => "মুছে" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/apps/files_trashbin/l10n/ca.php b/apps/files_trashbin/l10n/ca.php index 8ab3d785f73..6e226b7fc85 100644 --- a/apps/files_trashbin/l10n/ca.php +++ b/apps/files_trashbin/l10n/ca.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Esborra permanentment", "Name" => "Nom", "Deleted" => "Eliminat", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "restored" => "restaurat", "Nothing in here. Your trash bin is empty!" => "La paperera està buida!", "Restore" => "Recupera", diff --git a/apps/files_trashbin/l10n/cs_CZ.php b/apps/files_trashbin/l10n/cs_CZ.php index cd1acc5eb0d..383d2a217f7 100644 --- a/apps/files_trashbin/l10n/cs_CZ.php +++ b/apps/files_trashbin/l10n/cs_CZ.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Trvale odstranit", "Name" => "Název", "Deleted" => "Smazáno", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("","",""), +"_%n file_::_%n files_" => array("","",""), "restored" => "obnoveno", "Nothing in here. Your trash bin is empty!" => "Žádný obsah. Váš koš je prázdný.", "Restore" => "Obnovit", diff --git a/apps/files_trashbin/l10n/cy_GB.php b/apps/files_trashbin/l10n/cy_GB.php index df3b67b8df8..123a445c2c1 100644 --- a/apps/files_trashbin/l10n/cy_GB.php +++ b/apps/files_trashbin/l10n/cy_GB.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Dileu'n barhaol", "Name" => "Enw", "Deleted" => "Wedi dileu", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("","","",""), +"_%n file_::_%n files_" => array("","","",""), "Nothing in here. Your trash bin is empty!" => "Does dim byd yma. Mae eich bin sbwriel yn wag!", "Restore" => "Adfer", "Delete" => "Dileu", diff --git a/apps/files_trashbin/l10n/da.php b/apps/files_trashbin/l10n/da.php index adee29a6df2..d6753fd3c0b 100644 --- a/apps/files_trashbin/l10n/da.php +++ b/apps/files_trashbin/l10n/da.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Slet permanent", "Name" => "Navn", "Deleted" => "Slettet", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "restored" => "Gendannet", "Nothing in here. Your trash bin is empty!" => "Intet at se her. Din papirkurv er tom!", "Restore" => "Gendan", diff --git a/apps/files_trashbin/l10n/de.php b/apps/files_trashbin/l10n/de.php index ced25d80af8..6a30bcfbbba 100644 --- a/apps/files_trashbin/l10n/de.php +++ b/apps/files_trashbin/l10n/de.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Endgültig löschen", "Name" => "Name", "Deleted" => "gelöscht", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "restored" => "Wiederhergestellt", "Nothing in here. Your trash bin is empty!" => "Nichts zu löschen, der Papierkorb ist leer!", "Restore" => "Wiederherstellen", diff --git a/apps/files_trashbin/l10n/de_DE.php b/apps/files_trashbin/l10n/de_DE.php index 4813b70fdbf..5c2c515f7c1 100644 --- a/apps/files_trashbin/l10n/de_DE.php +++ b/apps/files_trashbin/l10n/de_DE.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Endgültig löschen", "Name" => "Name", "Deleted" => "Gelöscht", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "restored" => "Wiederhergestellt", "Nothing in here. Your trash bin is empty!" => "Nichts zu löschen, Ihr Papierkorb ist leer!", "Restore" => "Wiederherstellen", diff --git a/apps/files_trashbin/l10n/el.php b/apps/files_trashbin/l10n/el.php index 506992d9119..759e5299e42 100644 --- a/apps/files_trashbin/l10n/el.php +++ b/apps/files_trashbin/l10n/el.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Μόνιμη διαγραφή", "Name" => "Όνομα", "Deleted" => "Διαγράφηκε", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "restored" => "έγινε επαναφορά", "Nothing in here. Your trash bin is empty!" => "Δεν υπάρχει τίποτα εδώ. Ο κάδος σας είναι άδειος!", "Restore" => "Επαναφορά", diff --git a/apps/files_trashbin/l10n/eo.php b/apps/files_trashbin/l10n/eo.php index fb60d7a0aa8..d1e30cba588 100644 --- a/apps/files_trashbin/l10n/eo.php +++ b/apps/files_trashbin/l10n/eo.php @@ -3,8 +3,8 @@ $TRANSLATIONS = array( "Error" => "Eraro", "Delete permanently" => "Forigi por ĉiam", "Name" => "Nomo", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Restore" => "Restaŭri", "Delete" => "Forigi", "Deleted Files" => "Forigitaj dosieroj" diff --git a/apps/files_trashbin/l10n/es.php b/apps/files_trashbin/l10n/es.php index 564f80f634c..956d89ae688 100644 --- a/apps/files_trashbin/l10n/es.php +++ b/apps/files_trashbin/l10n/es.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Eliminar permanentemente", "Name" => "Nombre", "Deleted" => "Eliminado", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "restored" => "recuperado", "Nothing in here. Your trash bin is empty!" => "No hay nada aquí. ¡Tu papelera esta vacía!", "Restore" => "Recuperar", diff --git a/apps/files_trashbin/l10n/es_AR.php b/apps/files_trashbin/l10n/es_AR.php index 0a8be563f91..6f47255b506 100644 --- a/apps/files_trashbin/l10n/es_AR.php +++ b/apps/files_trashbin/l10n/es_AR.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Borrar de manera permanente", "Name" => "Nombre", "Deleted" => "Borrado", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Nothing in here. Your trash bin is empty!" => "No hay nada acá. ¡La papelera está vacía!", "Restore" => "Recuperar", "Delete" => "Borrar", diff --git a/apps/files_trashbin/l10n/et_EE.php b/apps/files_trashbin/l10n/et_EE.php index 44a7ea28550..2cfcafa804e 100644 --- a/apps/files_trashbin/l10n/et_EE.php +++ b/apps/files_trashbin/l10n/et_EE.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Kustuta jäädavalt", "Name" => "Nimi", "Deleted" => "Kustutatud", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "restored" => "taastatud", "Nothing in here. Your trash bin is empty!" => "Siin pole midagi. Sinu prügikast on tühi!", "Restore" => "Taasta", diff --git a/apps/files_trashbin/l10n/eu.php b/apps/files_trashbin/l10n/eu.php index 7156a66bfbf..b114dc3386a 100644 --- a/apps/files_trashbin/l10n/eu.php +++ b/apps/files_trashbin/l10n/eu.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Ezabatu betirako", "Name" => "Izena", "Deleted" => "Ezabatuta", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Nothing in here. Your trash bin is empty!" => "Ez dago ezer ez. Zure zakarrontzia hutsik dago!", "Restore" => "Berrezarri", "Delete" => "Ezabatu", diff --git a/apps/files_trashbin/l10n/fa.php b/apps/files_trashbin/l10n/fa.php index 9d5613ce8e0..654f20a5f1c 100644 --- a/apps/files_trashbin/l10n/fa.php +++ b/apps/files_trashbin/l10n/fa.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "حذف قطعی", "Name" => "نام", "Deleted" => "حذف شده", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array(""), +"_%n file_::_%n files_" => array(""), "Nothing in here. Your trash bin is empty!" => "هیچ چیزی اینجا نیست. سطل زباله ی شما خالی است.", "Restore" => "بازیابی", "Delete" => "حذف", diff --git a/apps/files_trashbin/l10n/fi_FI.php b/apps/files_trashbin/l10n/fi_FI.php index 9dec2975f31..0c18b774a97 100644 --- a/apps/files_trashbin/l10n/fi_FI.php +++ b/apps/files_trashbin/l10n/fi_FI.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Poista pysyvästi", "Name" => "Nimi", "Deleted" => "Poistettu", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "restored" => "palautettu", "Nothing in here. Your trash bin is empty!" => "Tyhjää täynnä! Roskakorissa ei ole mitään.", "Restore" => "Palauta", diff --git a/apps/files_trashbin/l10n/fr.php b/apps/files_trashbin/l10n/fr.php index 0581cf6efed..8854190e2ce 100644 --- a/apps/files_trashbin/l10n/fr.php +++ b/apps/files_trashbin/l10n/fr.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Supprimer de façon définitive", "Name" => "Nom", "Deleted" => "Effacé", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Nothing in here. Your trash bin is empty!" => "Il n'y a rien ici. Votre corbeille est vide !", "Restore" => "Restaurer", "Delete" => "Supprimer", diff --git a/apps/files_trashbin/l10n/gl.php b/apps/files_trashbin/l10n/gl.php index e4e72a9e469..034ba13c3fe 100644 --- a/apps/files_trashbin/l10n/gl.php +++ b/apps/files_trashbin/l10n/gl.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Eliminar permanentemente", "Name" => "Nome", "Deleted" => "Eliminado", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "restored" => "restaurado", "Nothing in here. Your trash bin is empty!" => "Aquí non hai nada. O cesto do lixo está baleiro!", "Restore" => "Restablecer", diff --git a/apps/files_trashbin/l10n/he.php b/apps/files_trashbin/l10n/he.php index 98c846c502c..6aa6264a315 100644 --- a/apps/files_trashbin/l10n/he.php +++ b/apps/files_trashbin/l10n/he.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "מחיקה לצמיתות", "Name" => "שם", "Deleted" => "נמחק", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Nothing in here. Your trash bin is empty!" => "אין כאן שום דבר. סל המיחזור שלך ריק!", "Restore" => "שחזור", "Delete" => "מחיקה", diff --git a/apps/files_trashbin/l10n/hr.php b/apps/files_trashbin/l10n/hr.php index a635278cb67..d227b4979aa 100644 --- a/apps/files_trashbin/l10n/hr.php +++ b/apps/files_trashbin/l10n/hr.php @@ -2,8 +2,8 @@ $TRANSLATIONS = array( "Error" => "Greška", "Name" => "Ime", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("","",""), +"_%n file_::_%n files_" => array("","",""), "Delete" => "Obriši" ); $PLURAL_FORMS = "nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;"; diff --git a/apps/files_trashbin/l10n/hu_HU.php b/apps/files_trashbin/l10n/hu_HU.php index 299d252c1e7..aac6cf78000 100644 --- a/apps/files_trashbin/l10n/hu_HU.php +++ b/apps/files_trashbin/l10n/hu_HU.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Végleges törlés", "Name" => "Név", "Deleted" => "Törölve", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "restored" => "visszaállítva", "Nothing in here. Your trash bin is empty!" => "Itt nincs semmi. Az Ön szemetes mappája üres!", "Restore" => "Visszaállítás", diff --git a/apps/files_trashbin/l10n/hy.php b/apps/files_trashbin/l10n/hy.php index 127ae408214..6ff58b56202 100644 --- a/apps/files_trashbin/l10n/hy.php +++ b/apps/files_trashbin/l10n/hy.php @@ -1,7 +1,7 @@ array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Delete" => "Ջնջել" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/apps/files_trashbin/l10n/ia.php b/apps/files_trashbin/l10n/ia.php index 6df843b2882..c583344a81e 100644 --- a/apps/files_trashbin/l10n/ia.php +++ b/apps/files_trashbin/l10n/ia.php @@ -2,8 +2,8 @@ $TRANSLATIONS = array( "Error" => "Error", "Name" => "Nomine", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Delete" => "Deler" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/apps/files_trashbin/l10n/id.php b/apps/files_trashbin/l10n/id.php index 82c01e4da7b..6aad1302f43 100644 --- a/apps/files_trashbin/l10n/id.php +++ b/apps/files_trashbin/l10n/id.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Hapus secara permanen", "Name" => "Nama", "Deleted" => "Dihapus", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array(""), +"_%n file_::_%n files_" => array(""), "Nothing in here. Your trash bin is empty!" => "Tempat sampah anda kosong!", "Restore" => "Pulihkan", "Delete" => "Hapus", diff --git a/apps/files_trashbin/l10n/is.php b/apps/files_trashbin/l10n/is.php index adf462e3872..55ae4336461 100644 --- a/apps/files_trashbin/l10n/is.php +++ b/apps/files_trashbin/l10n/is.php @@ -2,8 +2,8 @@ $TRANSLATIONS = array( "Error" => "Villa", "Name" => "Nafn", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Delete" => "Eyða" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/apps/files_trashbin/l10n/it.php b/apps/files_trashbin/l10n/it.php index d4e6752ae7e..0dc2b938f8a 100644 --- a/apps/files_trashbin/l10n/it.php +++ b/apps/files_trashbin/l10n/it.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Elimina definitivamente", "Name" => "Nome", "Deleted" => "Eliminati", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "restored" => "ripristinati", "Nothing in here. Your trash bin is empty!" => "Qui non c'è niente. Il tuo cestino è vuoto.", "Restore" => "Ripristina", diff --git a/apps/files_trashbin/l10n/ja_JP.php b/apps/files_trashbin/l10n/ja_JP.php index 2542684a060..62a541ea2b8 100644 --- a/apps/files_trashbin/l10n/ja_JP.php +++ b/apps/files_trashbin/l10n/ja_JP.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "完全に削除する", "Name" => "名前", "Deleted" => "削除済み", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array(""), +"_%n file_::_%n files_" => array(""), "restored" => "復元済", "Nothing in here. Your trash bin is empty!" => "ここには何もありません。ゴミ箱は空です!", "Restore" => "復元", diff --git a/apps/files_trashbin/l10n/ka_GE.php b/apps/files_trashbin/l10n/ka_GE.php index 3b29642c629..236d8951e9d 100644 --- a/apps/files_trashbin/l10n/ka_GE.php +++ b/apps/files_trashbin/l10n/ka_GE.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "სრულად წაშლა", "Name" => "სახელი", "Deleted" => "წაშლილი", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array(""), +"_%n file_::_%n files_" => array(""), "Nothing in here. Your trash bin is empty!" => "აქ არაფერი არ არის. სანაგვე ყუთი ცარიელია!", "Restore" => "აღდგენა", "Delete" => "წაშლა", diff --git a/apps/files_trashbin/l10n/ko.php b/apps/files_trashbin/l10n/ko.php index fc0a4ca2de2..f2e604d7591 100644 --- a/apps/files_trashbin/l10n/ko.php +++ b/apps/files_trashbin/l10n/ko.php @@ -3,8 +3,8 @@ $TRANSLATIONS = array( "Error" => "오류", "Delete permanently" => "영원히 삭제", "Name" => "이름", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array(""), +"_%n file_::_%n files_" => array(""), "Restore" => "복원", "Delete" => "삭제" ); diff --git a/apps/files_trashbin/l10n/ku_IQ.php b/apps/files_trashbin/l10n/ku_IQ.php index 6c73695dc15..3f110f06002 100644 --- a/apps/files_trashbin/l10n/ku_IQ.php +++ b/apps/files_trashbin/l10n/ku_IQ.php @@ -2,7 +2,7 @@ $TRANSLATIONS = array( "Error" => "هه‌ڵه", "Name" => "ناو", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,) +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("","") ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/apps/files_trashbin/l10n/lb.php b/apps/files_trashbin/l10n/lb.php index 08be3e20f1f..cbfd515a8b3 100644 --- a/apps/files_trashbin/l10n/lb.php +++ b/apps/files_trashbin/l10n/lb.php @@ -2,8 +2,8 @@ $TRANSLATIONS = array( "Error" => "Fehler", "Name" => "Numm", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Delete" => "Läschen" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/apps/files_trashbin/l10n/lt_LT.php b/apps/files_trashbin/l10n/lt_LT.php index 197c9b250f6..c4a12ff2175 100644 --- a/apps/files_trashbin/l10n/lt_LT.php +++ b/apps/files_trashbin/l10n/lt_LT.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Ištrinti negrįžtamai", "Name" => "Pavadinimas", "Deleted" => "Ištrinti", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("","",""), +"_%n file_::_%n files_" => array("","",""), "Nothing in here. Your trash bin is empty!" => "Nieko nėra. Jūsų šiukšliadėžė tuščia!", "Restore" => "Atstatyti", "Delete" => "Ištrinti", diff --git a/apps/files_trashbin/l10n/lv.php b/apps/files_trashbin/l10n/lv.php index a7c0bc326e2..ccbf117fdad 100644 --- a/apps/files_trashbin/l10n/lv.php +++ b/apps/files_trashbin/l10n/lv.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Dzēst pavisam", "Name" => "Nosaukums", "Deleted" => "Dzēsts", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("","",""), +"_%n file_::_%n files_" => array("","",""), "Nothing in here. Your trash bin is empty!" => "Šeit nekā nav. Jūsu miskaste ir tukša!", "Restore" => "Atjaunot", "Delete" => "Dzēst", diff --git a/apps/files_trashbin/l10n/mk.php b/apps/files_trashbin/l10n/mk.php index 190445fe91a..965518dbc86 100644 --- a/apps/files_trashbin/l10n/mk.php +++ b/apps/files_trashbin/l10n/mk.php @@ -2,8 +2,8 @@ $TRANSLATIONS = array( "Error" => "Грешка", "Name" => "Име", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Delete" => "Избриши" ); $PLURAL_FORMS = "nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;"; diff --git a/apps/files_trashbin/l10n/ms_MY.php b/apps/files_trashbin/l10n/ms_MY.php index 9c70b4ae0a9..1b5ca07c70c 100644 --- a/apps/files_trashbin/l10n/ms_MY.php +++ b/apps/files_trashbin/l10n/ms_MY.php @@ -2,8 +2,8 @@ $TRANSLATIONS = array( "Error" => "Ralat", "Name" => "Nama", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array(""), +"_%n file_::_%n files_" => array(""), "Delete" => "Padam" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/apps/files_trashbin/l10n/nb_NO.php b/apps/files_trashbin/l10n/nb_NO.php index ca81b33621d..8a69b3d87aa 100644 --- a/apps/files_trashbin/l10n/nb_NO.php +++ b/apps/files_trashbin/l10n/nb_NO.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Slett permanent", "Name" => "Navn", "Deleted" => "Slettet", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Nothing in here. Your trash bin is empty!" => "Ingenting her. Søppelkassen din er tom!", "Restore" => "Gjenopprett", "Delete" => "Slett", diff --git a/apps/files_trashbin/l10n/nl.php b/apps/files_trashbin/l10n/nl.php index 2de36ece52a..2c6dcb2fcbf 100644 --- a/apps/files_trashbin/l10n/nl.php +++ b/apps/files_trashbin/l10n/nl.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Verwijder definitief", "Name" => "Naam", "Deleted" => "Verwijderd", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "restored" => "hersteld", "Nothing in here. Your trash bin is empty!" => "Niets te vinden. Uw prullenbak is leeg!", "Restore" => "Herstellen", diff --git a/apps/files_trashbin/l10n/nn_NO.php b/apps/files_trashbin/l10n/nn_NO.php index eb50b04ec4b..9e351668e33 100644 --- a/apps/files_trashbin/l10n/nn_NO.php +++ b/apps/files_trashbin/l10n/nn_NO.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Slett for godt", "Name" => "Namn", "Deleted" => "Sletta", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Nothing in here. Your trash bin is empty!" => "Ingenting her. Papirkorga di er tom!", "Restore" => "Gjenopprett", "Delete" => "Slett", diff --git a/apps/files_trashbin/l10n/oc.php b/apps/files_trashbin/l10n/oc.php index 656b688987d..a62902c3b7e 100644 --- a/apps/files_trashbin/l10n/oc.php +++ b/apps/files_trashbin/l10n/oc.php @@ -2,8 +2,8 @@ $TRANSLATIONS = array( "Error" => "Error", "Name" => "Nom", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Delete" => "Escafa" ); $PLURAL_FORMS = "nplurals=2; plural=(n > 1);"; diff --git a/apps/files_trashbin/l10n/pl.php b/apps/files_trashbin/l10n/pl.php index 000d6b69381..e8295e2ff03 100644 --- a/apps/files_trashbin/l10n/pl.php +++ b/apps/files_trashbin/l10n/pl.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Trwale usuń", "Name" => "Nazwa", "Deleted" => "Usunięte", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("","",""), +"_%n file_::_%n files_" => array("","",""), "restored" => "przywrócony", "Nothing in here. Your trash bin is empty!" => "Nic tu nie ma. Twój kosz jest pusty!", "Restore" => "Przywróć", diff --git a/apps/files_trashbin/l10n/pt_BR.php b/apps/files_trashbin/l10n/pt_BR.php index b1137672e50..1e3c67ba027 100644 --- a/apps/files_trashbin/l10n/pt_BR.php +++ b/apps/files_trashbin/l10n/pt_BR.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Excluir permanentemente", "Name" => "Nome", "Deleted" => "Excluído", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "restored" => "restaurado", "Nothing in here. Your trash bin is empty!" => "Nada aqui. Sua lixeira está vazia!", "Restore" => "Restaurar", diff --git a/apps/files_trashbin/l10n/pt_PT.php b/apps/files_trashbin/l10n/pt_PT.php index 7fae2628015..0c88d132b5c 100644 --- a/apps/files_trashbin/l10n/pt_PT.php +++ b/apps/files_trashbin/l10n/pt_PT.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Eliminar permanentemente", "Name" => "Nome", "Deleted" => "Apagado", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "restored" => "Restaurado", "Nothing in here. Your trash bin is empty!" => "Não hà ficheiros. O lixo está vazio!", "Restore" => "Restaurar", diff --git a/apps/files_trashbin/l10n/ro.php b/apps/files_trashbin/l10n/ro.php index cb47682f323..0b1d2cd9e17 100644 --- a/apps/files_trashbin/l10n/ro.php +++ b/apps/files_trashbin/l10n/ro.php @@ -3,8 +3,8 @@ $TRANSLATIONS = array( "Error" => "Eroare", "Delete permanently" => "Stergere permanenta", "Name" => "Nume", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("","",""), +"_%n file_::_%n files_" => array("","",""), "Delete" => "Șterge" ); $PLURAL_FORMS = "nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));"; diff --git a/apps/files_trashbin/l10n/ru.php b/apps/files_trashbin/l10n/ru.php index c76659b232f..909e4d7131f 100644 --- a/apps/files_trashbin/l10n/ru.php +++ b/apps/files_trashbin/l10n/ru.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Удалено навсегда", "Name" => "Имя", "Deleted" => "Удалён", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("","",""), +"_%n file_::_%n files_" => array("","",""), "restored" => "восстановлен", "Nothing in here. Your trash bin is empty!" => "Здесь ничего нет. Ваша корзина пуста!", "Restore" => "Восстановить", diff --git a/apps/files_trashbin/l10n/si_LK.php b/apps/files_trashbin/l10n/si_LK.php index 54700566f35..6dad84437cf 100644 --- a/apps/files_trashbin/l10n/si_LK.php +++ b/apps/files_trashbin/l10n/si_LK.php @@ -2,8 +2,8 @@ $TRANSLATIONS = array( "Error" => "දෝෂයක්", "Name" => "නම", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Delete" => "මකා දමන්න" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/apps/files_trashbin/l10n/sk_SK.php b/apps/files_trashbin/l10n/sk_SK.php index 727d900b9cd..0f78da5fc3d 100644 --- a/apps/files_trashbin/l10n/sk_SK.php +++ b/apps/files_trashbin/l10n/sk_SK.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Zmazať trvalo", "Name" => "Názov", "Deleted" => "Zmazané", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("","",""), +"_%n file_::_%n files_" => array("","",""), "restored" => "obnovené", "Nothing in here. Your trash bin is empty!" => "Žiadny obsah. Kôš je prázdny!", "Restore" => "Obnoviť", diff --git a/apps/files_trashbin/l10n/sl.php b/apps/files_trashbin/l10n/sl.php index 4a44e144def..eb2d42a18ff 100644 --- a/apps/files_trashbin/l10n/sl.php +++ b/apps/files_trashbin/l10n/sl.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Izbriši dokončno", "Name" => "Ime", "Deleted" => "Izbrisano", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("","","",""), +"_%n file_::_%n files_" => array("","","",""), "Nothing in here. Your trash bin is empty!" => "Mapa smeti je prazna.", "Restore" => "Obnovi", "Delete" => "Izbriši", diff --git a/apps/files_trashbin/l10n/sq.php b/apps/files_trashbin/l10n/sq.php index c5fb62e84fb..1b7b5b828c8 100644 --- a/apps/files_trashbin/l10n/sq.php +++ b/apps/files_trashbin/l10n/sq.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Elimino përfundimisht", "Name" => "Emri", "Deleted" => "Eliminuar", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Nothing in here. Your trash bin is empty!" => "Këtu nuk ka asgjë. Koshi juaj është bosh!", "Restore" => "Rivendos", "Delete" => "Elimino", diff --git a/apps/files_trashbin/l10n/sr.php b/apps/files_trashbin/l10n/sr.php index 97c9f78dc14..7311e759f98 100644 --- a/apps/files_trashbin/l10n/sr.php +++ b/apps/files_trashbin/l10n/sr.php @@ -5,8 +5,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Обриши за стално", "Name" => "Име", "Deleted" => "Обрисано", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("","",""), +"_%n file_::_%n files_" => array("","",""), "Nothing in here. Your trash bin is empty!" => "Овде нема ништа. Корпа за отпатке је празна.", "Restore" => "Врати", "Delete" => "Обриши" diff --git a/apps/files_trashbin/l10n/sr@latin.php b/apps/files_trashbin/l10n/sr@latin.php index bd1a26abf66..483d1e3ca2b 100644 --- a/apps/files_trashbin/l10n/sr@latin.php +++ b/apps/files_trashbin/l10n/sr@latin.php @@ -1,8 +1,8 @@ "Ime", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("","",""), +"_%n file_::_%n files_" => array("","",""), "Delete" => "Obriši" ); $PLURAL_FORMS = "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"; diff --git a/apps/files_trashbin/l10n/sv.php b/apps/files_trashbin/l10n/sv.php index c8f79dbdb65..b0752cbbe8b 100644 --- a/apps/files_trashbin/l10n/sv.php +++ b/apps/files_trashbin/l10n/sv.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Radera permanent", "Name" => "Namn", "Deleted" => "Raderad", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "restored" => "återställd", "Nothing in here. Your trash bin is empty!" => "Ingenting här. Din papperskorg är tom!", "Restore" => "Återskapa", diff --git a/apps/files_trashbin/l10n/ta_LK.php b/apps/files_trashbin/l10n/ta_LK.php index 12e9e66af54..ed93b459c7d 100644 --- a/apps/files_trashbin/l10n/ta_LK.php +++ b/apps/files_trashbin/l10n/ta_LK.php @@ -2,8 +2,8 @@ $TRANSLATIONS = array( "Error" => "வழு", "Name" => "பெயர்", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Delete" => "நீக்குக" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/apps/files_trashbin/l10n/te.php b/apps/files_trashbin/l10n/te.php index 6fdbc7320b2..0d803a8e648 100644 --- a/apps/files_trashbin/l10n/te.php +++ b/apps/files_trashbin/l10n/te.php @@ -3,8 +3,8 @@ $TRANSLATIONS = array( "Error" => "పొరపాటు", "Delete permanently" => "శాశ్వతంగా తొలగించు", "Name" => "పేరు", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Delete" => "తొలగించు" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/apps/files_trashbin/l10n/th_TH.php b/apps/files_trashbin/l10n/th_TH.php index a1e397bbe50..31caa11aac3 100644 --- a/apps/files_trashbin/l10n/th_TH.php +++ b/apps/files_trashbin/l10n/th_TH.php @@ -4,8 +4,8 @@ $TRANSLATIONS = array( "Error" => "ข้อผิดพลาด", "Name" => "ชื่อ", "Deleted" => "ลบแล้ว", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array(""), +"_%n file_::_%n files_" => array(""), "Nothing in here. Your trash bin is empty!" => "ไม่มีอะไรอยู่ในนี้ ถังขยะของคุณยังว่างอยู่", "Restore" => "คืนค่า", "Delete" => "ลบ", diff --git a/apps/files_trashbin/l10n/tr.php b/apps/files_trashbin/l10n/tr.php index dec1b35a79a..08fb0a02031 100644 --- a/apps/files_trashbin/l10n/tr.php +++ b/apps/files_trashbin/l10n/tr.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Kalıcı olarak sil", "Name" => "İsim", "Deleted" => "Silindi", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("",""), "Nothing in here. Your trash bin is empty!" => "Burası boş. Çöp kutun tamamen boş.", "Restore" => "Geri yükle", "Delete" => "Sil", diff --git a/apps/files_trashbin/l10n/ug.php b/apps/files_trashbin/l10n/ug.php index 6ac41cea50f..ad983aee18b 100644 --- a/apps/files_trashbin/l10n/ug.php +++ b/apps/files_trashbin/l10n/ug.php @@ -4,8 +4,8 @@ $TRANSLATIONS = array( "Delete permanently" => "مەڭگۈلۈك ئۆچۈر", "Name" => "ئاتى", "Deleted" => "ئۆچۈرۈلدى", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array(""), +"_%n file_::_%n files_" => array(""), "Nothing in here. Your trash bin is empty!" => "بۇ جايدا ھېچنېمە يوق. Your trash bin is empty!", "Delete" => "ئۆچۈر" ); diff --git a/apps/files_trashbin/l10n/uk.php b/apps/files_trashbin/l10n/uk.php index 2b07b7ecfe2..aa4b6595032 100644 --- a/apps/files_trashbin/l10n/uk.php +++ b/apps/files_trashbin/l10n/uk.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Видалити назавжди", "Name" => "Ім'я", "Deleted" => "Видалено", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array("","",""), +"_%n file_::_%n files_" => array("","",""), "restored" => "відновлено", "Nothing in here. Your trash bin is empty!" => "Нічого немає. Ваший кошик для сміття пустий!", "Restore" => "Відновити", diff --git a/apps/files_trashbin/l10n/ur_PK.php b/apps/files_trashbin/l10n/ur_PK.php index 63e0e39bba2..f6c6a3da3c8 100644 --- a/apps/files_trashbin/l10n/ur_PK.php +++ b/apps/files_trashbin/l10n/ur_PK.php @@ -1,7 +1,7 @@ "ایرر", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,) +"_%n folder_::_%n folders_" => array("",""), +"_%n file_::_%n files_" => array("","") ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/apps/files_trashbin/l10n/vi.php b/apps/files_trashbin/l10n/vi.php index e83a273a909..072d799fa68 100644 --- a/apps/files_trashbin/l10n/vi.php +++ b/apps/files_trashbin/l10n/vi.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Xóa vĩnh vễn", "Name" => "Tên", "Deleted" => "Đã xóa", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array(""), +"_%n file_::_%n files_" => array(""), "Nothing in here. Your trash bin is empty!" => "Không có gì ở đây. Thùng rác của bạn rỗng!", "Restore" => "Khôi phục", "Delete" => "Xóa", diff --git a/apps/files_trashbin/l10n/zh_CN.GB2312.php b/apps/files_trashbin/l10n/zh_CN.GB2312.php index ea97c168f15..4bd7cc2cee6 100644 --- a/apps/files_trashbin/l10n/zh_CN.GB2312.php +++ b/apps/files_trashbin/l10n/zh_CN.GB2312.php @@ -3,8 +3,8 @@ $TRANSLATIONS = array( "Error" => "出错", "Delete permanently" => "永久删除", "Name" => "名称", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array(""), +"_%n file_::_%n files_" => array(""), "Delete" => "删除" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/apps/files_trashbin/l10n/zh_CN.php b/apps/files_trashbin/l10n/zh_CN.php index 9e262d5cb88..6609f57d9cf 100644 --- a/apps/files_trashbin/l10n/zh_CN.php +++ b/apps/files_trashbin/l10n/zh_CN.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "永久删除", "Name" => "名称", "Deleted" => "已删除", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array(""), +"_%n file_::_%n files_" => array(""), "Nothing in here. Your trash bin is empty!" => "这里没有东西. 你的回收站是空的!", "Restore" => "恢复", "Delete" => "删除", diff --git a/apps/files_trashbin/l10n/zh_HK.php b/apps/files_trashbin/l10n/zh_HK.php index a8741a41829..3f0d663baeb 100644 --- a/apps/files_trashbin/l10n/zh_HK.php +++ b/apps/files_trashbin/l10n/zh_HK.php @@ -2,8 +2,8 @@ $TRANSLATIONS = array( "Error" => "錯誤", "Name" => "名稱", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array(""), +"_%n file_::_%n files_" => array(""), "Delete" => "刪除" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/apps/files_trashbin/l10n/zh_TW.php b/apps/files_trashbin/l10n/zh_TW.php index d6c54614c2c..ab6b75c5784 100644 --- a/apps/files_trashbin/l10n/zh_TW.php +++ b/apps/files_trashbin/l10n/zh_TW.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "永久刪除", "Name" => "名稱", "Deleted" => "已刪除", -"_%n folder_::_%n folders_" => array(,), -"_%n file_::_%n files_" => array(,), +"_%n folder_::_%n folders_" => array(""), +"_%n file_::_%n files_" => array(""), "Nothing in here. Your trash bin is empty!" => "您的垃圾桶是空的!", "Restore" => "復原", "Delete" => "刪除", diff --git a/core/l10n/af_ZA.php b/core/l10n/af_ZA.php index 17058ba0bfb..ed5989e43bd 100644 --- a/core/l10n/af_ZA.php +++ b/core/l10n/af_ZA.php @@ -1,10 +1,10 @@ "Instellings", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day ago_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n day ago_::_%n days ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("",""), "Password" => "Wagwoord", "Use the following link to reset your password: {link}" => "Gebruik die volgende skakel om jou wagwoord te herstel: {link}", "You will receive a link to reset your password via Email." => "Jy sal `n skakel via e-pos ontvang om jou wagwoord te herstel.", diff --git a/core/l10n/ar.php b/core/l10n/ar.php index 194aac3c2be..b61b5cd060a 100644 --- a/core/l10n/ar.php +++ b/core/l10n/ar.php @@ -29,13 +29,13 @@ $TRANSLATIONS = array( "December" => "كانون الاول", "Settings" => "إعدادات", "seconds ago" => "منذ ثواني", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("","","","","",""), +"_%n hour ago_::_%n hours ago_" => array("","","","","",""), "today" => "اليوم", "yesterday" => "يوم أمس", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("","","","","",""), "last month" => "الشهر الماضي", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("","","","","",""), "months ago" => "شهر مضى", "last year" => "السنةالماضية", "years ago" => "سنة مضت", diff --git a/core/l10n/be.php b/core/l10n/be.php index fcc2608fe50..de1b24e4a7a 100644 --- a/core/l10n/be.php +++ b/core/l10n/be.php @@ -1,9 +1,9 @@ array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day ago_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("","","",""), +"_%n hour ago_::_%n hours ago_" => array("","","",""), +"_%n day ago_::_%n days ago_" => array("","","",""), +"_%n month ago_::_%n months ago_" => array("","","",""), "Advanced" => "Дасведчаны", "Finish setup" => "Завяршыць ўстаноўку.", "prev" => "Папярэдняя", diff --git a/core/l10n/bg_BG.php b/core/l10n/bg_BG.php index c8127633986..d79fe87c8f0 100644 --- a/core/l10n/bg_BG.php +++ b/core/l10n/bg_BG.php @@ -22,13 +22,13 @@ $TRANSLATIONS = array( "December" => "Декември", "Settings" => "Настройки", "seconds ago" => "преди секунди", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "днес", "yesterday" => "вчера", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "последният месец", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "последната година", "years ago" => "последните години", "Cancel" => "Отказ", diff --git a/core/l10n/bn_BD.php b/core/l10n/bn_BD.php index 72a69fe8e61..b9227e1e61e 100644 --- a/core/l10n/bn_BD.php +++ b/core/l10n/bn_BD.php @@ -28,13 +28,13 @@ $TRANSLATIONS = array( "December" => "ডিসেম্বর", "Settings" => "নিয়ামকসমূহ", "seconds ago" => "সেকেন্ড পূর্বে", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "আজ", "yesterday" => "গতকাল", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "গত মাস", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "মাস পূর্বে", "last year" => "গত বছর", "years ago" => "বছর পূর্বে", diff --git a/core/l10n/bs.php b/core/l10n/bs.php index 624a8b7e16a..885518f9136 100644 --- a/core/l10n/bs.php +++ b/core/l10n/bs.php @@ -1,9 +1,9 @@ array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day ago_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("","",""), +"_%n hour ago_::_%n hours ago_" => array("","",""), +"_%n day ago_::_%n days ago_" => array("","",""), +"_%n month ago_::_%n months ago_" => array("","",""), "Share" => "Podijeli", "Add" => "Dodaj" ); diff --git a/core/l10n/ca.php b/core/l10n/ca.php index 5c6ca8d2f87..41b85875e77 100644 --- a/core/l10n/ca.php +++ b/core/l10n/ca.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "Desembre", "Settings" => "Configuració", "seconds ago" => "segons enrere", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "avui", "yesterday" => "ahir", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "el mes passat", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "mesos enrere", "last year" => "l'any passat", "years ago" => "anys enrere", diff --git a/core/l10n/cs_CZ.php b/core/l10n/cs_CZ.php index c62cc1f126a..f984d1e526b 100644 --- a/core/l10n/cs_CZ.php +++ b/core/l10n/cs_CZ.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "Prosinec", "Settings" => "Nastavení", "seconds ago" => "před pár vteřinami", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("","",""), +"_%n hour ago_::_%n hours ago_" => array("","",""), "today" => "dnes", "yesterday" => "včera", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("","",""), "last month" => "minulý měsíc", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("","",""), "months ago" => "před měsíci", "last year" => "minulý rok", "years ago" => "před lety", diff --git a/core/l10n/cy_GB.php b/core/l10n/cy_GB.php index 30c8b5aba6b..0123b098485 100644 --- a/core/l10n/cy_GB.php +++ b/core/l10n/cy_GB.php @@ -29,13 +29,13 @@ $TRANSLATIONS = array( "December" => "Rhagfyr", "Settings" => "Gosodiadau", "seconds ago" => "eiliad yn ôl", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("","","",""), +"_%n hour ago_::_%n hours ago_" => array("","","",""), "today" => "heddiw", "yesterday" => "ddoe", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("","","",""), "last month" => "mis diwethaf", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("","","",""), "months ago" => "misoedd yn ôl", "last year" => "y llynedd", "years ago" => "blwyddyn yn ôl", diff --git a/core/l10n/da.php b/core/l10n/da.php index 2ca23b785c7..f6498e5d334 100644 --- a/core/l10n/da.php +++ b/core/l10n/da.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "December", "Settings" => "Indstillinger", "seconds ago" => "sekunder siden", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "i dag", "yesterday" => "i går", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "sidste måned", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "måneder siden", "last year" => "sidste år", "years ago" => "år siden", diff --git a/core/l10n/de.php b/core/l10n/de.php index 9ec4044b87b..d8c7ae95582 100644 --- a/core/l10n/de.php +++ b/core/l10n/de.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "Dezember", "Settings" => "Einstellungen", "seconds ago" => "Gerade eben", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "Heute", "yesterday" => "Gestern", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "Letzten Monat", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "Vor Monaten", "last year" => "Letztes Jahr", "years ago" => "Vor Jahren", diff --git a/core/l10n/de_AT.php b/core/l10n/de_AT.php index 9f5278e8790..c0e3e80f0a3 100644 --- a/core/l10n/de_AT.php +++ b/core/l10n/de_AT.php @@ -1,9 +1,9 @@ array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day ago_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n day ago_::_%n days ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("",""), "More apps" => "Mehr Apps" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/de_CH.php b/core/l10n/de_CH.php index 9eae0de3077..81c74d841ee 100644 --- a/core/l10n/de_CH.php +++ b/core/l10n/de_CH.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "Dezember", "Settings" => "Einstellungen", "seconds ago" => "Gerade eben", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "Heute", "yesterday" => "Gestern", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "Letzten Monat", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "Vor Monaten", "last year" => "Letztes Jahr", "years ago" => "Vor Jahren", diff --git a/core/l10n/de_DE.php b/core/l10n/de_DE.php index 1b7397f26ac..e505610a6d2 100644 --- a/core/l10n/de_DE.php +++ b/core/l10n/de_DE.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "Dezember", "Settings" => "Einstellungen", "seconds ago" => "Gerade eben", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "Heute", "yesterday" => "Gestern", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "Letzten Monat", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "Vor Monaten", "last year" => "Letztes Jahr", "years ago" => "Vor Jahren", diff --git a/core/l10n/el.php b/core/l10n/el.php index 11abe93d3ef..330a29e2743 100644 --- a/core/l10n/el.php +++ b/core/l10n/el.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "Δεκέμβριος", "Settings" => "Ρυθμίσεις", "seconds ago" => "δευτερόλεπτα πριν", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "σήμερα", "yesterday" => "χτες", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "τελευταίο μήνα", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "μήνες πριν", "last year" => "τελευταίο χρόνο", "years ago" => "χρόνια πριν", diff --git a/core/l10n/en@pirate.php b/core/l10n/en@pirate.php index 1b271cf5fe6..997d1f88c46 100644 --- a/core/l10n/en@pirate.php +++ b/core/l10n/en@pirate.php @@ -1,9 +1,9 @@ array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day ago_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n day ago_::_%n days ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("",""), "Password" => "Passcode" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/eo.php b/core/l10n/eo.php index 9ce2c88a56c..66fc435fec7 100644 --- a/core/l10n/eo.php +++ b/core/l10n/eo.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "Decembro", "Settings" => "Agordo", "seconds ago" => "sekundoj antaŭe", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "hodiaŭ", "yesterday" => "hieraŭ", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "lastamonate", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "monatoj antaŭe", "last year" => "lastajare", "years ago" => "jaroj antaŭe", diff --git a/core/l10n/es.php b/core/l10n/es.php index 3f4cfa8d11d..677f881da42 100644 --- a/core/l10n/es.php +++ b/core/l10n/es.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "Diciembre", "Settings" => "Ajustes", "seconds ago" => "hace segundos", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "hoy", "yesterday" => "ayer", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "el mes pasado", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "hace meses", "last year" => "el año pasado", "years ago" => "hace años", diff --git a/core/l10n/es_AR.php b/core/l10n/es_AR.php index c4e5954d9dc..68c501e05a3 100644 --- a/core/l10n/es_AR.php +++ b/core/l10n/es_AR.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "diciembre", "Settings" => "Configuración", "seconds ago" => "segundos atrás", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "hoy", "yesterday" => "ayer", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "el mes pasado", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "meses atrás", "last year" => "el año pasado", "years ago" => "años atrás", diff --git a/core/l10n/et_EE.php b/core/l10n/et_EE.php index 1d1530ecff2..5524411e77d 100644 --- a/core/l10n/et_EE.php +++ b/core/l10n/et_EE.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "Detsember", "Settings" => "Seaded", "seconds ago" => "sekundit tagasi", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "täna", "yesterday" => "eile", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "viimasel kuul", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "kuu tagasi", "last year" => "viimasel aastal", "years ago" => "aastat tagasi", diff --git a/core/l10n/eu.php b/core/l10n/eu.php index 180c39fd677..5ab0e032e4b 100644 --- a/core/l10n/eu.php +++ b/core/l10n/eu.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "Abendua", "Settings" => "Ezarpenak", "seconds ago" => "segundu", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "gaur", "yesterday" => "atzo", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "joan den hilabetean", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "hilabete", "last year" => "joan den urtean", "years ago" => "urte", diff --git a/core/l10n/fa.php b/core/l10n/fa.php index 03542c2123b..f9af8787e0a 100644 --- a/core/l10n/fa.php +++ b/core/l10n/fa.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "دسامبر", "Settings" => "تنظیمات", "seconds ago" => "ثانیه‌ها پیش", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), "today" => "امروز", "yesterday" => "دیروز", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array(""), "last month" => "ماه قبل", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(""), "months ago" => "ماه‌های قبل", "last year" => "سال قبل", "years ago" => "سال‌های قبل", diff --git a/core/l10n/fi_FI.php b/core/l10n/fi_FI.php index 90fa84e4eb4..5741f2ce6fb 100644 --- a/core/l10n/fi_FI.php +++ b/core/l10n/fi_FI.php @@ -28,13 +28,13 @@ $TRANSLATIONS = array( "December" => "joulukuu", "Settings" => "Asetukset", "seconds ago" => "sekuntia sitten", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "tänään", "yesterday" => "eilen", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "viime kuussa", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "kuukautta sitten", "last year" => "viime vuonna", "years ago" => "vuotta sitten", diff --git a/core/l10n/fr.php b/core/l10n/fr.php index 4f7d6cb47f9..641378ac42b 100644 --- a/core/l10n/fr.php +++ b/core/l10n/fr.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "décembre", "Settings" => "Paramètres", "seconds ago" => "il y a quelques secondes", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "aujourd'hui", "yesterday" => "hier", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "le mois dernier", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "il y a plusieurs mois", "last year" => "l'année dernière", "years ago" => "il y a plusieurs années", diff --git a/core/l10n/gl.php b/core/l10n/gl.php index 9822d88aee0..d5492456ca0 100644 --- a/core/l10n/gl.php +++ b/core/l10n/gl.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "decembro", "Settings" => "Axustes", "seconds ago" => "segundos atrás", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "hoxe", "yesterday" => "onte", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "último mes", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "meses atrás", "last year" => "último ano", "years ago" => "anos atrás", diff --git a/core/l10n/he.php b/core/l10n/he.php index 7cb0ebe1470..6a2e5c88eeb 100644 --- a/core/l10n/he.php +++ b/core/l10n/he.php @@ -29,13 +29,13 @@ $TRANSLATIONS = array( "December" => "דצמבר", "Settings" => "הגדרות", "seconds ago" => "שניות", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "היום", "yesterday" => "אתמול", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "חודש שעבר", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "חודשים", "last year" => "שנה שעברה", "years ago" => "שנים", diff --git a/core/l10n/hi.php b/core/l10n/hi.php index 60b834ef5db..7ad75a41a1b 100644 --- a/core/l10n/hi.php +++ b/core/l10n/hi.php @@ -13,10 +13,10 @@ $TRANSLATIONS = array( "November" => "नवंबर", "December" => "दिसम्बर", "Settings" => "सेटिंग्स", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day ago_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n day ago_::_%n days ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("",""), "Error" => "त्रुटि", "Share" => "साझा करें", "Share with" => "के साथ साझा", diff --git a/core/l10n/hr.php b/core/l10n/hr.php index 9bdad09f741..403df77f819 100644 --- a/core/l10n/hr.php +++ b/core/l10n/hr.php @@ -23,13 +23,13 @@ $TRANSLATIONS = array( "December" => "Prosinac", "Settings" => "Postavke", "seconds ago" => "sekundi prije", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("","",""), +"_%n hour ago_::_%n hours ago_" => array("","",""), "today" => "danas", "yesterday" => "jučer", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("","",""), "last month" => "prošli mjesec", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("","",""), "months ago" => "mjeseci", "last year" => "prošlu godinu", "years ago" => "godina", diff --git a/core/l10n/hu_HU.php b/core/l10n/hu_HU.php index aca30e2dfc7..ddec9c1e4ca 100644 --- a/core/l10n/hu_HU.php +++ b/core/l10n/hu_HU.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "december", "Settings" => "Beállítások", "seconds ago" => "pár másodperce", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "ma", "yesterday" => "tegnap", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "múlt hónapban", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "több hónapja", "last year" => "tavaly", "years ago" => "több éve", diff --git a/core/l10n/hy.php b/core/l10n/hy.php index a97f05cb109..9965d4731b0 100644 --- a/core/l10n/hy.php +++ b/core/l10n/hy.php @@ -19,9 +19,9 @@ $TRANSLATIONS = array( "October" => "Հոկտեմբեր", "November" => "Նոյեմբեր", "December" => "Դեկտեմբեր", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day ago_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,) +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n day ago_::_%n days ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("","") ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/ia.php b/core/l10n/ia.php index 75ad8ae4fb3..e0d1e96f6ac 100644 --- a/core/l10n/ia.php +++ b/core/l10n/ia.php @@ -20,10 +20,10 @@ $TRANSLATIONS = array( "November" => "Novembre", "December" => "Decembre", "Settings" => "Configurationes", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day ago_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n day ago_::_%n days ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("",""), "Cancel" => "Cancellar", "Error" => "Error", "Share" => "Compartir", diff --git a/core/l10n/id.php b/core/l10n/id.php index f4b17d03953..644efde9fc0 100644 --- a/core/l10n/id.php +++ b/core/l10n/id.php @@ -29,13 +29,13 @@ $TRANSLATIONS = array( "December" => "Desember", "Settings" => "Setelan", "seconds ago" => "beberapa detik yang lalu", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), "today" => "hari ini", "yesterday" => "kemarin", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array(""), "last month" => "bulan kemarin", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(""), "months ago" => "beberapa bulan lalu", "last year" => "tahun kemarin", "years ago" => "beberapa tahun lalu", diff --git a/core/l10n/is.php b/core/l10n/is.php index f8686b2113f..5115d70ee7a 100644 --- a/core/l10n/is.php +++ b/core/l10n/is.php @@ -28,13 +28,13 @@ $TRANSLATIONS = array( "December" => "Desember", "Settings" => "Stillingar", "seconds ago" => "sek.", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "í dag", "yesterday" => "í gær", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "síðasta mánuði", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "mánuðir síðan", "last year" => "síðasta ári", "years ago" => "einhverjum árum", diff --git a/core/l10n/it.php b/core/l10n/it.php index 8708386dace..9c55f7125a7 100644 --- a/core/l10n/it.php +++ b/core/l10n/it.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "Dicembre", "Settings" => "Impostazioni", "seconds ago" => "secondi fa", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "oggi", "yesterday" => "ieri", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "mese scorso", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "mesi fa", "last year" => "anno scorso", "years ago" => "anni fa", diff --git a/core/l10n/ja_JP.php b/core/l10n/ja_JP.php index c1c2158db62..fc184088293 100644 --- a/core/l10n/ja_JP.php +++ b/core/l10n/ja_JP.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "12月", "Settings" => "設定", "seconds ago" => "数秒前", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), "today" => "今日", "yesterday" => "昨日", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array(""), "last month" => "一月前", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(""), "months ago" => "月前", "last year" => "一年前", "years ago" => "年前", diff --git a/core/l10n/ka.php b/core/l10n/ka.php index 011fe0af3e4..b6700f00f94 100644 --- a/core/l10n/ka.php +++ b/core/l10n/ka.php @@ -1,12 +1,12 @@ "წამის წინ", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), "today" => "დღეს", "yesterday" => "გუშინ", -"_%n day ago_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,), +"_%n day ago_::_%n days ago_" => array(""), +"_%n month ago_::_%n months ago_" => array(""), "Password" => "პაროლი", "Personal" => "პერსონა", "Users" => "მომხმარებლები", diff --git a/core/l10n/ka_GE.php b/core/l10n/ka_GE.php index 4666ce33a13..bf9ce1b8a46 100644 --- a/core/l10n/ka_GE.php +++ b/core/l10n/ka_GE.php @@ -29,13 +29,13 @@ $TRANSLATIONS = array( "December" => "დეკემბერი", "Settings" => "პარამეტრები", "seconds ago" => "წამის წინ", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), "today" => "დღეს", "yesterday" => "გუშინ", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array(""), "last month" => "გასულ თვეში", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(""), "months ago" => "თვის წინ", "last year" => "ბოლო წელს", "years ago" => "წლის წინ", diff --git a/core/l10n/kn.php b/core/l10n/kn.php index 129c6e0092e..556cca20dac 100644 --- a/core/l10n/kn.php +++ b/core/l10n/kn.php @@ -1,8 +1,8 @@ array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day ago_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,) +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), +"_%n day ago_::_%n days ago_" => array(""), +"_%n month ago_::_%n months ago_" => array("") ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/core/l10n/ko.php b/core/l10n/ko.php index ce7e5c57a0b..44738a161a6 100644 --- a/core/l10n/ko.php +++ b/core/l10n/ko.php @@ -29,13 +29,13 @@ $TRANSLATIONS = array( "December" => "12월", "Settings" => "설정", "seconds ago" => "초 전", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), "today" => "오늘", "yesterday" => "어제", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array(""), "last month" => "지난 달", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(""), "months ago" => "개월 전", "last year" => "작년", "years ago" => "년 전", diff --git a/core/l10n/ku_IQ.php b/core/l10n/ku_IQ.php index 471ac9ce377..826fa428ef5 100644 --- a/core/l10n/ku_IQ.php +++ b/core/l10n/ku_IQ.php @@ -1,10 +1,10 @@ "ده‌ستكاری", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day ago_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n day ago_::_%n days ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("",""), "Error" => "هه‌ڵه", "Password" => "وشەی تێپەربو", "Username" => "ناوی به‌کارهێنه‌ر", diff --git a/core/l10n/lb.php b/core/l10n/lb.php index 02d1326fb2a..a4b32698c93 100644 --- a/core/l10n/lb.php +++ b/core/l10n/lb.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "Dezember", "Settings" => "Astellungen", "seconds ago" => "Sekonnen hir", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "haut", "yesterday" => "gëschter", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "leschte Mount", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "Méint hir", "last year" => "Lescht Joer", "years ago" => "Joren hir", diff --git a/core/l10n/lt_LT.php b/core/l10n/lt_LT.php index 6e69b780274..8a3ca044eaf 100644 --- a/core/l10n/lt_LT.php +++ b/core/l10n/lt_LT.php @@ -29,13 +29,13 @@ $TRANSLATIONS = array( "December" => "Gruodis", "Settings" => "Nustatymai", "seconds ago" => "prieš sekundę", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("","",""), +"_%n hour ago_::_%n hours ago_" => array("","",""), "today" => "šiandien", "yesterday" => "vakar", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("","",""), "last month" => "praeitą mėnesį", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("","",""), "months ago" => "prieš mėnesį", "last year" => "praeitais metais", "years ago" => "prieš metus", diff --git a/core/l10n/lv.php b/core/l10n/lv.php index c7696fb067d..ad9643e4835 100644 --- a/core/l10n/lv.php +++ b/core/l10n/lv.php @@ -29,13 +29,13 @@ $TRANSLATIONS = array( "December" => "Decembris", "Settings" => "Iestatījumi", "seconds ago" => "sekundes atpakaļ", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("","",""), +"_%n hour ago_::_%n hours ago_" => array("","",""), "today" => "šodien", "yesterday" => "vakar", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("","",""), "last month" => "pagājušajā mēnesī", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("","",""), "months ago" => "mēnešus atpakaļ", "last year" => "gājušajā gadā", "years ago" => "gadus atpakaļ", diff --git a/core/l10n/mk.php b/core/l10n/mk.php index 087a74fe94f..b51f8c7b089 100644 --- a/core/l10n/mk.php +++ b/core/l10n/mk.php @@ -28,13 +28,13 @@ $TRANSLATIONS = array( "December" => "Декември", "Settings" => "Подесувања", "seconds ago" => "пред секунди", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "денеска", "yesterday" => "вчера", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "минатиот месец", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "пред месеци", "last year" => "минатата година", "years ago" => "пред години", diff --git a/core/l10n/ml_IN.php b/core/l10n/ml_IN.php index 883f2beb4ee..93c8e33f3e2 100644 --- a/core/l10n/ml_IN.php +++ b/core/l10n/ml_IN.php @@ -1,8 +1,8 @@ array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day ago_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,) +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n day ago_::_%n days ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("","") ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/ms_MY.php b/core/l10n/ms_MY.php index 239fad9e3c7..64ad88dcb40 100644 --- a/core/l10n/ms_MY.php +++ b/core/l10n/ms_MY.php @@ -22,10 +22,10 @@ $TRANSLATIONS = array( "November" => "November", "December" => "Disember", "Settings" => "Tetapan", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day ago_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), +"_%n day ago_::_%n days ago_" => array(""), +"_%n month ago_::_%n months ago_" => array(""), "Cancel" => "Batal", "Yes" => "Ya", "No" => "Tidak", diff --git a/core/l10n/my_MM.php b/core/l10n/my_MM.php index 21044ad5d42..e06af3efb98 100644 --- a/core/l10n/my_MM.php +++ b/core/l10n/my_MM.php @@ -15,13 +15,13 @@ $TRANSLATIONS = array( "November" => "နိုဝင်ဘာ", "December" => "ဒီဇင်ဘာ", "seconds ago" => "စက္ကန့်အနည်းငယ်က", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), "today" => "ယနေ့", "yesterday" => "မနေ့က", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array(""), "last month" => "ပြီးခဲ့သောလ", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(""), "last year" => "မနှစ်က", "years ago" => "နှစ် အရင်က", "Choose" => "ရွေးချယ်", diff --git a/core/l10n/nb_NO.php b/core/l10n/nb_NO.php index 643903a244b..c19e570edbd 100644 --- a/core/l10n/nb_NO.php +++ b/core/l10n/nb_NO.php @@ -25,13 +25,13 @@ $TRANSLATIONS = array( "December" => "Desember", "Settings" => "Innstillinger", "seconds ago" => "sekunder siden", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "i dag", "yesterday" => "i går", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "forrige måned", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "måneder siden", "last year" => "forrige år", "years ago" => "år siden", diff --git a/core/l10n/ne.php b/core/l10n/ne.php index 883f2beb4ee..93c8e33f3e2 100644 --- a/core/l10n/ne.php +++ b/core/l10n/ne.php @@ -1,8 +1,8 @@ array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day ago_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,) +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n day ago_::_%n days ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("","") ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/nl.php b/core/l10n/nl.php index 183899dc4a6..7530a736330 100644 --- a/core/l10n/nl.php +++ b/core/l10n/nl.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "december", "Settings" => "Instellingen", "seconds ago" => "seconden geleden", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "vandaag", "yesterday" => "gisteren", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "vorige maand", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "maanden geleden", "last year" => "vorig jaar", "years ago" => "jaar geleden", diff --git a/core/l10n/nn_NO.php b/core/l10n/nn_NO.php index 47023faae88..0cc0944b879 100644 --- a/core/l10n/nn_NO.php +++ b/core/l10n/nn_NO.php @@ -29,13 +29,13 @@ $TRANSLATIONS = array( "December" => "Desember", "Settings" => "Innstillingar", "seconds ago" => "sekund sidan", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "i dag", "yesterday" => "i går", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "førre månad", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "månadar sidan", "last year" => "i fjor", "years ago" => "år sidan", diff --git a/core/l10n/oc.php b/core/l10n/oc.php index bb70223361f..f47776fb991 100644 --- a/core/l10n/oc.php +++ b/core/l10n/oc.php @@ -23,13 +23,13 @@ $TRANSLATIONS = array( "December" => "Decembre", "Settings" => "Configuracion", "seconds ago" => "segonda a", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "uèi", "yesterday" => "ièr", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "mes passat", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "meses a", "last year" => "an passat", "years ago" => "ans a", diff --git a/core/l10n/pl.php b/core/l10n/pl.php index 26de64bd0dc..1f291be8aa0 100644 --- a/core/l10n/pl.php +++ b/core/l10n/pl.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "Grudzień", "Settings" => "Ustawienia", "seconds ago" => "sekund temu", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("","",""), +"_%n hour ago_::_%n hours ago_" => array("","",""), "today" => "dziś", "yesterday" => "wczoraj", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("","",""), "last month" => "w zeszłym miesiącu", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("","",""), "months ago" => "miesięcy temu", "last year" => "w zeszłym roku", "years ago" => "lat temu", diff --git a/core/l10n/pt_BR.php b/core/l10n/pt_BR.php index c131dd727df..892807452c1 100644 --- a/core/l10n/pt_BR.php +++ b/core/l10n/pt_BR.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "dezembro", "Settings" => "Ajustes", "seconds ago" => "segundos atrás", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "hoje", "yesterday" => "ontem", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "último mês", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "meses atrás", "last year" => "último ano", "years ago" => "anos atrás", diff --git a/core/l10n/pt_PT.php b/core/l10n/pt_PT.php index 9a3d3282a11..8459176f266 100644 --- a/core/l10n/pt_PT.php +++ b/core/l10n/pt_PT.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "Dezembro", "Settings" => "Configurações", "seconds ago" => "Minutos atrás", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "hoje", "yesterday" => "ontem", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "ultímo mês", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "meses atrás", "last year" => "ano passado", "years ago" => "anos atrás", diff --git a/core/l10n/ro.php b/core/l10n/ro.php index 190cbc2d6d8..8c082df6af4 100644 --- a/core/l10n/ro.php +++ b/core/l10n/ro.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "Decembrie", "Settings" => "Setări", "seconds ago" => "secunde în urmă", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("","",""), +"_%n hour ago_::_%n hours ago_" => array("","",""), "today" => "astăzi", "yesterday" => "ieri", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("","",""), "last month" => "ultima lună", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("","",""), "months ago" => "luni în urmă", "last year" => "ultimul an", "years ago" => "ani în urmă", diff --git a/core/l10n/ru.php b/core/l10n/ru.php index aaa06e5352e..fe00c89b1c2 100644 --- a/core/l10n/ru.php +++ b/core/l10n/ru.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "Декабрь", "Settings" => "Конфигурация", "seconds ago" => "несколько секунд назад", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("","",""), +"_%n hour ago_::_%n hours ago_" => array("","",""), "today" => "сегодня", "yesterday" => "вчера", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("","",""), "last month" => "в прошлом месяце", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("","",""), "months ago" => "несколько месяцев назад", "last year" => "в прошлом году", "years ago" => "несколько лет назад", diff --git a/core/l10n/si_LK.php b/core/l10n/si_LK.php index 03caef7841f..ff016e6d6c0 100644 --- a/core/l10n/si_LK.php +++ b/core/l10n/si_LK.php @@ -22,13 +22,13 @@ $TRANSLATIONS = array( "December" => "දෙසැම්බර්", "Settings" => "සිටුවම්", "seconds ago" => "තත්පරයන්ට පෙර", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "අද", "yesterday" => "ඊයේ", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "පෙර මාසයේ", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "මාස කීපයකට පෙර", "last year" => "පෙර අවුරුද්දේ", "years ago" => "අවුරුදු කීපයකට පෙර", diff --git a/core/l10n/sk.php b/core/l10n/sk.php index 9c35f7f4664..7285020288b 100644 --- a/core/l10n/sk.php +++ b/core/l10n/sk.php @@ -1,8 +1,8 @@ array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day ago_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,) +"_%n minute ago_::_%n minutes ago_" => array("","",""), +"_%n hour ago_::_%n hours ago_" => array("","",""), +"_%n day ago_::_%n days ago_" => array("","",""), +"_%n month ago_::_%n months ago_" => array("","","") ); $PLURAL_FORMS = "nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;"; diff --git a/core/l10n/sk_SK.php b/core/l10n/sk_SK.php index 522e31ba2ea..71f50bbdc31 100644 --- a/core/l10n/sk_SK.php +++ b/core/l10n/sk_SK.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "December", "Settings" => "Nastavenia", "seconds ago" => "pred sekundami", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("","",""), +"_%n hour ago_::_%n hours ago_" => array("","",""), "today" => "dnes", "yesterday" => "včera", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("","",""), "last month" => "minulý mesiac", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("","",""), "months ago" => "pred mesiacmi", "last year" => "minulý rok", "years ago" => "pred rokmi", diff --git a/core/l10n/sl.php b/core/l10n/sl.php index 0c0e828f0b4..397ede93fd4 100644 --- a/core/l10n/sl.php +++ b/core/l10n/sl.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "december", "Settings" => "Nastavitve", "seconds ago" => "pred nekaj sekundami", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("","","",""), +"_%n hour ago_::_%n hours ago_" => array("","","",""), "today" => "danes", "yesterday" => "včeraj", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("","","",""), "last month" => "zadnji mesec", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("","","",""), "months ago" => "mesecev nazaj", "last year" => "lansko leto", "years ago" => "let nazaj", diff --git a/core/l10n/sq.php b/core/l10n/sq.php index 2b073bc88b8..7817af41b54 100644 --- a/core/l10n/sq.php +++ b/core/l10n/sq.php @@ -29,13 +29,13 @@ $TRANSLATIONS = array( "December" => "Dhjetor", "Settings" => "Parametra", "seconds ago" => "sekonda më parë", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "sot", "yesterday" => "dje", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "muajin e shkuar", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "muaj më parë", "last year" => "vitin e shkuar", "years ago" => "vite më parë", diff --git a/core/l10n/sr.php b/core/l10n/sr.php index 77c8b9225da..d0485ff662c 100644 --- a/core/l10n/sr.php +++ b/core/l10n/sr.php @@ -28,13 +28,13 @@ $TRANSLATIONS = array( "December" => "Децембар", "Settings" => "Поставке", "seconds ago" => "пре неколико секунди", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("","",""), +"_%n hour ago_::_%n hours ago_" => array("","",""), "today" => "данас", "yesterday" => "јуче", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("","",""), "last month" => "прошлог месеца", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("","",""), "months ago" => "месеци раније", "last year" => "прошле године", "years ago" => "година раније", diff --git a/core/l10n/sr@latin.php b/core/l10n/sr@latin.php index f1bbd2ea7ed..98d227f18a3 100644 --- a/core/l10n/sr@latin.php +++ b/core/l10n/sr@latin.php @@ -20,10 +20,10 @@ $TRANSLATIONS = array( "November" => "Novembar", "December" => "Decembar", "Settings" => "Podešavanja", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day ago_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("","",""), +"_%n hour ago_::_%n hours ago_" => array("","",""), +"_%n day ago_::_%n days ago_" => array("","",""), +"_%n month ago_::_%n months ago_" => array("","",""), "Cancel" => "Otkaži", "Password" => "Lozinka", "You will receive a link to reset your password via Email." => "Dobićete vezu za resetovanje lozinke putem e-pošte.", diff --git a/core/l10n/sv.php b/core/l10n/sv.php index 03d8dbbb3f4..88639845a5a 100644 --- a/core/l10n/sv.php +++ b/core/l10n/sv.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "December", "Settings" => "Inställningar", "seconds ago" => "sekunder sedan", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "i dag", "yesterday" => "i går", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "förra månaden", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "månader sedan", "last year" => "förra året", "years ago" => "år sedan", diff --git a/core/l10n/sw_KE.php b/core/l10n/sw_KE.php index 883f2beb4ee..93c8e33f3e2 100644 --- a/core/l10n/sw_KE.php +++ b/core/l10n/sw_KE.php @@ -1,8 +1,8 @@ array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day ago_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,) +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n day ago_::_%n days ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("","") ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/ta_LK.php b/core/l10n/ta_LK.php index d715dde88c9..b2e847f5fb2 100644 --- a/core/l10n/ta_LK.php +++ b/core/l10n/ta_LK.php @@ -28,13 +28,13 @@ $TRANSLATIONS = array( "December" => "மார்கழி", "Settings" => "அமைப்புகள்", "seconds ago" => "செக்கன்களுக்கு முன்", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "இன்று", "yesterday" => "நேற்று", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "கடந்த மாதம்", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "மாதங்களுக்கு முன்", "last year" => "கடந்த வருடம்", "years ago" => "வருடங்களுக்கு முன்", diff --git a/core/l10n/te.php b/core/l10n/te.php index 16a65eea776..f6d165f369f 100644 --- a/core/l10n/te.php +++ b/core/l10n/te.php @@ -22,13 +22,13 @@ $TRANSLATIONS = array( "December" => "డిసెంబర్", "Settings" => "అమరికలు", "seconds ago" => "క్షణాల క్రితం", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "ఈరోజు", "yesterday" => "నిన్న", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "పోయిన నెల", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "నెలల క్రితం", "last year" => "పోయిన సంవత్సరం", "years ago" => "సంవత్సరాల క్రితం", diff --git a/core/l10n/th_TH.php b/core/l10n/th_TH.php index 7dda8cf6d30..b015b940f2b 100644 --- a/core/l10n/th_TH.php +++ b/core/l10n/th_TH.php @@ -28,13 +28,13 @@ $TRANSLATIONS = array( "December" => "ธันวาคม", "Settings" => "ตั้งค่า", "seconds ago" => "วินาที ก่อนหน้านี้", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), "today" => "วันนี้", "yesterday" => "เมื่อวานนี้", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array(""), "last month" => "เดือนที่แล้ว", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(""), "months ago" => "เดือน ที่ผ่านมา", "last year" => "ปีที่แล้ว", "years ago" => "ปี ที่ผ่านมา", diff --git a/core/l10n/tr.php b/core/l10n/tr.php index 72923245e96..8628aa60a98 100644 --- a/core/l10n/tr.php +++ b/core/l10n/tr.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "Aralık", "Settings" => "Ayarlar", "seconds ago" => "saniye önce", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "bugün", "yesterday" => "dün", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("",""), "last month" => "geçen ay", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "months ago" => "ay önce", "last year" => "geçen yıl", "years ago" => "yıl önce", diff --git a/core/l10n/ug.php b/core/l10n/ug.php index 3c033ca6d6f..cf1c28a0d2f 100644 --- a/core/l10n/ug.php +++ b/core/l10n/ug.php @@ -20,12 +20,12 @@ $TRANSLATIONS = array( "November" => "ئوغلاق", "December" => "كۆنەك", "Settings" => "تەڭشەكلەر", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), "today" => "بۈگۈن", "yesterday" => "تۈنۈگۈن", -"_%n day ago_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,), +"_%n day ago_::_%n days ago_" => array(""), +"_%n month ago_::_%n months ago_" => array(""), "Cancel" => "ۋاز كەچ", "Yes" => "ھەئە", "No" => "ياق", diff --git a/core/l10n/uk.php b/core/l10n/uk.php index 8d921957367..baf756ab7a9 100644 --- a/core/l10n/uk.php +++ b/core/l10n/uk.php @@ -29,13 +29,13 @@ $TRANSLATIONS = array( "December" => "Грудень", "Settings" => "Налаштування", "seconds ago" => "секунди тому", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("","",""), +"_%n hour ago_::_%n hours ago_" => array("","",""), "today" => "сьогодні", "yesterday" => "вчора", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array("","",""), "last month" => "минулого місяця", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("","",""), "months ago" => "місяці тому", "last year" => "минулого року", "years ago" => "роки тому", diff --git a/core/l10n/ur_PK.php b/core/l10n/ur_PK.php index ba81e53cfee..de6a58cea26 100644 --- a/core/l10n/ur_PK.php +++ b/core/l10n/ur_PK.php @@ -15,10 +15,10 @@ $TRANSLATIONS = array( "November" => "نومبر", "December" => "دسمبر", "Settings" => "سیٹینگز", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day ago_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n day ago_::_%n days ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("",""), "Choose" => "منتخب کریں", "Cancel" => "منسوخ کریں", "Yes" => "ہاں", diff --git a/core/l10n/vi.php b/core/l10n/vi.php index 26ba0dbf8ed..265d83a4266 100644 --- a/core/l10n/vi.php +++ b/core/l10n/vi.php @@ -29,13 +29,13 @@ $TRANSLATIONS = array( "December" => "Tháng 12", "Settings" => "Cài đặt", "seconds ago" => "vài giây trước", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), "today" => "hôm nay", "yesterday" => "hôm qua", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array(""), "last month" => "tháng trước", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(""), "months ago" => "tháng trước", "last year" => "năm trước", "years ago" => "năm trước", diff --git a/core/l10n/zh_CN.GB2312.php b/core/l10n/zh_CN.GB2312.php index 6f7d0dd434b..6d55d7f5121 100644 --- a/core/l10n/zh_CN.GB2312.php +++ b/core/l10n/zh_CN.GB2312.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "十二月", "Settings" => "设置", "seconds ago" => "秒前", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), "today" => "今天", "yesterday" => "昨天", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array(""), "last month" => "上个月", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(""), "months ago" => "月前", "last year" => "去年", "years ago" => "年前", diff --git a/core/l10n/zh_CN.php b/core/l10n/zh_CN.php index be35c4fdbbe..c216584494c 100644 --- a/core/l10n/zh_CN.php +++ b/core/l10n/zh_CN.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "十二月", "Settings" => "设置", "seconds ago" => "秒前", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), "today" => "今天", "yesterday" => "昨天", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array(""), "last month" => "上月", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(""), "months ago" => "月前", "last year" => "去年", "years ago" => "年前", diff --git a/core/l10n/zh_HK.php b/core/l10n/zh_HK.php index 6df564739fb..0a3134f65da 100644 --- a/core/l10n/zh_HK.php +++ b/core/l10n/zh_HK.php @@ -20,13 +20,13 @@ $TRANSLATIONS = array( "November" => "十一月", "December" => "十二月", "Settings" => "設定", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), "today" => "今日", "yesterday" => "昨日", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array(""), "last month" => "前一月", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(""), "months ago" => "個月之前", "Cancel" => "取消", "Yes" => "Yes", diff --git a/core/l10n/zh_TW.php b/core/l10n/zh_TW.php index 60caebcd336..d620866bbb8 100644 --- a/core/l10n/zh_TW.php +++ b/core/l10n/zh_TW.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "十二月", "Settings" => "設定", "seconds ago" => "幾秒前", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), "today" => "今天", "yesterday" => "昨天", -"_%n day ago_::_%n days ago_" => array(,), +"_%n day ago_::_%n days ago_" => array(""), "last month" => "上個月", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(""), "months ago" => "幾個月前", "last year" => "去年", "years ago" => "幾年前", diff --git a/lib/l10n/af_ZA.php b/lib/l10n/af_ZA.php index a1fa3c848d2..d6bf5771e8d 100644 --- a/lib/l10n/af_ZA.php +++ b/lib/l10n/af_ZA.php @@ -6,9 +6,9 @@ $TRANSLATIONS = array( "Users" => "Gebruikers", "Admin" => "Admin", "web services under your control" => "webdienste onder jou beheer", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day go_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,) +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n day go_::_%n days ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("","") ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/lib/l10n/ar.php b/lib/l10n/ar.php index 8225fd17a2f..2e95f28841e 100644 --- a/lib/l10n/ar.php +++ b/lib/l10n/ar.php @@ -37,13 +37,13 @@ $TRANSLATIONS = array( "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" => "منذ ثواني", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("","","","","",""), +"_%n hour ago_::_%n hours ago_" => array("","","","","",""), "today" => "اليوم", "yesterday" => "يوم أمس", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("","","","","",""), "last month" => "الشهر الماضي", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("","","","","",""), "last year" => "السنةالماضية", "years ago" => "سنة مضت", "Could not find category \"%s\"" => "تعذر العثور على المجلد \"%s\"" diff --git a/lib/l10n/be.php b/lib/l10n/be.php index a5d399a3105..1570411eb86 100644 --- a/lib/l10n/be.php +++ b/lib/l10n/be.php @@ -1,8 +1,8 @@ array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day go_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,) +"_%n minute ago_::_%n minutes ago_" => array("","","",""), +"_%n hour ago_::_%n hours ago_" => array("","","",""), +"_%n day go_::_%n days ago_" => array("","","",""), +"_%n month ago_::_%n months ago_" => array("","","","") ); $PLURAL_FORMS = "nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"; diff --git a/lib/l10n/bg_BG.php b/lib/l10n/bg_BG.php index 021d924d380..10d3bb610af 100644 --- a/lib/l10n/bg_BG.php +++ b/lib/l10n/bg_BG.php @@ -38,13 +38,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Вашият web сървър все още не е удачно настроен да позволява синхронизация на файлове, защото WebDAV интерфейсът изглежда не работи.", "Please double check the installation guides." => "Моля направете повторна справка с ръководството за инсталиране.", "seconds ago" => "преди секунди", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "днес", "yesterday" => "вчера", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "последният месец", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "последната година", "years ago" => "последните години", "Could not find category \"%s\"" => "Невъзможно откриване на категорията \"%s\"" diff --git a/lib/l10n/bn_BD.php b/lib/l10n/bn_BD.php index 5b3610d9846..a42435a2a47 100644 --- a/lib/l10n/bn_BD.php +++ b/lib/l10n/bn_BD.php @@ -16,13 +16,13 @@ $TRANSLATIONS = array( "Files" => "ফাইল", "Text" => "টেক্সট", "seconds ago" => "সেকেন্ড পূর্বে", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "আজ", "yesterday" => "গতকাল", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "গত মাস", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "গত বছর", "years ago" => "বছর পূর্বে" ); diff --git a/lib/l10n/bs.php b/lib/l10n/bs.php index aa8e01b803d..3cb98906e62 100644 --- a/lib/l10n/bs.php +++ b/lib/l10n/bs.php @@ -1,8 +1,8 @@ array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day go_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,) +"_%n minute ago_::_%n minutes ago_" => array("","",""), +"_%n hour ago_::_%n hours ago_" => array("","",""), +"_%n day go_::_%n days ago_" => array("","",""), +"_%n month ago_::_%n months ago_" => array("","","") ); $PLURAL_FORMS = "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"; diff --git a/lib/l10n/ca.php b/lib/l10n/ca.php index a14c12ba964..95faed498cd 100644 --- a/lib/l10n/ca.php +++ b/lib/l10n/ca.php @@ -41,13 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "El servidor web no està configurat correctament per permetre la sincronització de fitxers perquè la interfície WebDAV sembla no funcionar correctament.", "Please double check the installation guides." => "Comproveu les guies d'instal·lació.", "seconds ago" => "segons enrere", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "avui", "yesterday" => "ahir", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "el mes passat", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "l'any passat", "years ago" => "anys enrere", "Caused by:" => "Provocat per:", diff --git a/lib/l10n/cs_CZ.php b/lib/l10n/cs_CZ.php index 48f51361eef..ec54376024d 100644 --- a/lib/l10n/cs_CZ.php +++ b/lib/l10n/cs_CZ.php @@ -41,13 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Váš webový server není správně nastaven pro umožnění synchronizace, rozhraní WebDAV se zdá být rozbité.", "Please double check the installation guides." => "Zkonzultujte, prosím, průvodce instalací.", "seconds ago" => "před pár sekundami", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("","",""), +"_%n hour ago_::_%n hours ago_" => array("","",""), "today" => "dnes", "yesterday" => "včera", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("","",""), "last month" => "minulý měsíc", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("","",""), "last year" => "minulý rok", "years ago" => "před lety", "Caused by:" => "Příčina:", diff --git a/lib/l10n/cy_GB.php b/lib/l10n/cy_GB.php index 9070897b164..649a1ebffac 100644 --- a/lib/l10n/cy_GB.php +++ b/lib/l10n/cy_GB.php @@ -37,13 +37,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Nid yw eich gweinydd wedi'i gyflunio eto i ganiatáu cydweddu ffeiliau oherwydd bod y rhyngwyneb WebDAV wedi torri.", "Please double check the installation guides." => "Gwiriwch y canllawiau gosod eto.", "seconds ago" => "eiliad yn ôl", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("","","",""), +"_%n hour ago_::_%n hours ago_" => array("","","",""), "today" => "heddiw", "yesterday" => "ddoe", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("","","",""), "last month" => "mis diwethaf", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("","","",""), "last year" => "y llynedd", "years ago" => "blwyddyn yn ôl", "Could not find category \"%s\"" => "Methu canfod categori \"%s\"" diff --git a/lib/l10n/da.php b/lib/l10n/da.php index 62a4bfda9e1..5822c925f47 100644 --- a/lib/l10n/da.php +++ b/lib/l10n/da.php @@ -41,13 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Din webserver er endnu ikke sat op til at tillade fil synkronisering fordi WebDAV grænsefladen virker ødelagt.", "Please double check the installation guides." => "Dobbelttjek venligst installations vejledningerne.", "seconds ago" => "sekunder siden", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "i dag", "yesterday" => "i går", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "sidste måned", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "sidste år", "years ago" => "år siden", "Caused by:" => "Forårsaget af:", diff --git a/lib/l10n/de.php b/lib/l10n/de.php index 2a0eed151fa..ba43ad248dd 100644 --- a/lib/l10n/de.php +++ b/lib/l10n/de.php @@ -41,13 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Dein Web-Server ist noch nicht für Datei-Synchronisation bereit, weil die WebDAV-Schnittstelle vermutlich defekt ist.", "Please double check the installation guides." => "Bitte prüfe die Installationsanleitungen.", "seconds ago" => "Gerade eben", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "Heute", "yesterday" => "Gestern", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "Letzten Monat", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "Letztes Jahr", "years ago" => "Vor Jahren", "Caused by:" => "Verursacht durch:", diff --git a/lib/l10n/de_AT.php b/lib/l10n/de_AT.php index b2de92ed491..15f78e0bce6 100644 --- a/lib/l10n/de_AT.php +++ b/lib/l10n/de_AT.php @@ -1,8 +1,8 @@ array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day go_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,) +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n day go_::_%n days ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("","") ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/lib/l10n/de_CH.php b/lib/l10n/de_CH.php index b98e1dc2f9c..d99c144f185 100644 --- a/lib/l10n/de_CH.php +++ b/lib/l10n/de_CH.php @@ -41,13 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Ihr Web-Server ist noch nicht für eine Datei-Synchronisation konfiguriert, weil die WebDAV-Schnittstelle vermutlich defekt ist.", "Please double check the installation guides." => "Bitte prüfen Sie die Installationsanleitungen.", "seconds ago" => "Gerade eben", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "Heute", "yesterday" => "Gestern", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "Letzten Monat", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "Letztes Jahr", "years ago" => "Vor Jahren", "Caused by:" => "Verursacht durch:", diff --git a/lib/l10n/de_DE.php b/lib/l10n/de_DE.php index 104ca305208..a89c069eaab 100644 --- a/lib/l10n/de_DE.php +++ b/lib/l10n/de_DE.php @@ -41,13 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Ihr Web-Server ist noch nicht für eine Datei-Synchronisation konfiguriert, weil die WebDAV-Schnittstelle vermutlich defekt ist.", "Please double check the installation guides." => "Bitte prüfen Sie die Installationsanleitungen.", "seconds ago" => "Gerade eben", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "Heute", "yesterday" => "Gestern", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "Letzten Monat", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "Letztes Jahr", "years ago" => "Vor Jahren", "Caused by:" => "Verursacht durch:", diff --git a/lib/l10n/el.php b/lib/l10n/el.php index 12b718d183f..0fbd134ae92 100644 --- a/lib/l10n/el.php +++ b/lib/l10n/el.php @@ -41,13 +41,13 @@ $TRANSLATIONS = array( "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" => "δευτερόλεπτα πριν", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "σήμερα", "yesterday" => "χτες", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "τελευταίο μήνα", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "τελευταίο χρόνο", "years ago" => "χρόνια πριν", "Caused by:" => "Προκλήθηκε από:", diff --git a/lib/l10n/en@pirate.php b/lib/l10n/en@pirate.php index 15f8256f3b3..a8175b1400f 100644 --- a/lib/l10n/en@pirate.php +++ b/lib/l10n/en@pirate.php @@ -1,9 +1,9 @@ "web services under your control", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day go_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,) +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n day go_::_%n days ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("","") ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/lib/l10n/eo.php b/lib/l10n/eo.php index b769292b8f8..5311dd6eb15 100644 --- a/lib/l10n/eo.php +++ b/lib/l10n/eo.php @@ -34,13 +34,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Via TTT-servilo ankoraŭ ne ĝuste agordiĝis por permesi sinkronigi dosierojn ĉar la WebDAV-interfaco ŝajnas rompita.", "Please double check the installation guides." => "Bonvolu duoble kontroli la gvidilon por instalo.", "seconds ago" => "sekundoj antaŭe", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "hodiaŭ", "yesterday" => "hieraŭ", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "lastamonate", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "lastajare", "years ago" => "jaroj antaŭe", "Could not find category \"%s\"" => "Ne troviĝis kategorio “%s”" diff --git a/lib/l10n/es.php b/lib/l10n/es.php index 36857786487..2029c9b17fe 100644 --- a/lib/l10n/es.php +++ b/lib/l10n/es.php @@ -41,13 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Su servidor web aún no está configurado adecuadamente para permitir sincronización de archivos ya que la interfaz WebDAV parece no estar funcionando.", "Please double check the installation guides." => "Por favor, vuelva a comprobar las guías de instalación.", "seconds ago" => "hace segundos", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "hoy", "yesterday" => "ayer", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "mes pasado", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "año pasado", "years ago" => "hace años", "Caused by:" => "Causado por:", diff --git a/lib/l10n/es_AR.php b/lib/l10n/es_AR.php index 5e27a74b5db..0632c754052 100644 --- a/lib/l10n/es_AR.php +++ b/lib/l10n/es_AR.php @@ -41,13 +41,13 @@ $TRANSLATIONS = array( "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", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "hoy", "yesterday" => "ayer", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "el mes pasado", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "el año pasado", "years ago" => "años atrás", "Caused by:" => "Provocado por:", diff --git a/lib/l10n/et_EE.php b/lib/l10n/et_EE.php index cf6bf919158..a7d823a62c1 100644 --- a/lib/l10n/et_EE.php +++ b/lib/l10n/et_EE.php @@ -41,13 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Veebiserveri ei ole veel korralikult seadistatud võimaldamaks failide sünkroniseerimist, kuna WebDAV liides näib olevat mittetoimiv.", "Please double check the installation guides." => "Palun tutvu veelkord paigalduse juhenditega.", "seconds ago" => "sekundit tagasi", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "täna", "yesterday" => "eile", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "viimasel kuul", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "viimasel aastal", "years ago" => "aastat tagasi", "Caused by:" => "Põhjustaja:", diff --git a/lib/l10n/eu.php b/lib/l10n/eu.php index b03e1868912..c5ce243f2fa 100644 --- a/lib/l10n/eu.php +++ b/lib/l10n/eu.php @@ -41,13 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Zure web zerbitzaria ez dago oraindik ongi konfiguratuta fitxategien sinkronizazioa egiteko, WebDAV interfazea ongi ez dagoela dirudi.", "Please double check the installation guides." => "Mesedez begiratu instalazio gidak.", "seconds ago" => "segundu", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "gaur", "yesterday" => "atzo", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "joan den hilabetean", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "joan den urtean", "years ago" => "urte", "Caused by:" => "Honek eraginda:", diff --git a/lib/l10n/fa.php b/lib/l10n/fa.php index 66c464cce39..e2d8ed50aa3 100644 --- a/lib/l10n/fa.php +++ b/lib/l10n/fa.php @@ -38,13 +38,13 @@ $TRANSLATIONS = array( "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" => "ثانیه‌ها پیش", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), "today" => "امروز", "yesterday" => "دیروز", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array(""), "last month" => "ماه قبل", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(""), "last year" => "سال قبل", "years ago" => "سال‌های قبل", "Could not find category \"%s\"" => "دسته بندی %s یافت نشد" diff --git a/lib/l10n/fi_FI.php b/lib/l10n/fi_FI.php index 50342caa098..0efef0c61b1 100644 --- a/lib/l10n/fi_FI.php +++ b/lib/l10n/fi_FI.php @@ -34,13 +34,13 @@ $TRANSLATIONS = array( "Set an admin password." => "Aseta ylläpitäjän salasana.", "Please double check the installation guides." => "Lue tarkasti asennusohjeet.", "seconds ago" => "sekuntia sitten", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "tänään", "yesterday" => "eilen", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "viime kuussa", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "viime vuonna", "years ago" => "vuotta sitten", "Could not find category \"%s\"" => "Luokkaa \"%s\" ei löytynyt" diff --git a/lib/l10n/fr.php b/lib/l10n/fr.php index 21e4b561df5..0a040bb9e8e 100644 --- a/lib/l10n/fr.php +++ b/lib/l10n/fr.php @@ -38,13 +38,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Votre serveur web, n'est pas correctement configuré pour permettre la synchronisation des fichiers, car l'interface WebDav ne fonctionne pas comme il faut.", "Please double check the installation guides." => "Veuillez vous référer au guide d'installation.", "seconds ago" => "il y a quelques secondes", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "aujourd'hui", "yesterday" => "hier", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "le mois dernier", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "l'année dernière", "years ago" => "il y a plusieurs années", "Could not find category \"%s\"" => "Impossible de trouver la catégorie \"%s\"" diff --git a/lib/l10n/gl.php b/lib/l10n/gl.php index 9196fc6b6cf..085fd7272da 100644 --- a/lib/l10n/gl.php +++ b/lib/l10n/gl.php @@ -41,13 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "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.", "Please double check the installation guides." => "Volva comprobar as guías de instalación", "seconds ago" => "segundos atrás", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "hoxe", "yesterday" => "onte", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "último mes", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "último ano", "years ago" => "anos atrás", "Caused by:" => "Causado por:", diff --git a/lib/l10n/he.php b/lib/l10n/he.php index 4190769f2b7..bab1a6ff424 100644 --- a/lib/l10n/he.php +++ b/lib/l10n/he.php @@ -19,13 +19,13 @@ $TRANSLATIONS = array( "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" => "שניות", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "היום", "yesterday" => "אתמול", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "חודש שעבר", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "שנה שעברה", "years ago" => "שנים", "Could not find category \"%s\"" => "לא ניתן למצוא את הקטגוריה „%s“" diff --git a/lib/l10n/hi.php b/lib/l10n/hi.php index 1e7605e4bbf..039dfa4465d 100644 --- a/lib/l10n/hi.php +++ b/lib/l10n/hi.php @@ -4,9 +4,9 @@ $TRANSLATIONS = array( "Personal" => "यक्तिगत", "Settings" => "सेटिंग्स", "Users" => "उपयोगकर्ता", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day go_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,) +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n day go_::_%n days ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("","") ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/lib/l10n/hr.php b/lib/l10n/hr.php index 39298b4ccff..d217f924099 100644 --- a/lib/l10n/hr.php +++ b/lib/l10n/hr.php @@ -10,13 +10,13 @@ $TRANSLATIONS = array( "Files" => "Datoteke", "Text" => "Tekst", "seconds ago" => "sekundi prije", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("","",""), +"_%n hour ago_::_%n hours ago_" => array("","",""), "today" => "danas", "yesterday" => "jučer", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("","",""), "last month" => "prošli mjesec", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("","",""), "last year" => "prošlu godinu", "years ago" => "godina" ); diff --git a/lib/l10n/hu_HU.php b/lib/l10n/hu_HU.php index e3dc649b3a6..c8aff3add72 100644 --- a/lib/l10n/hu_HU.php +++ b/lib/l10n/hu_HU.php @@ -41,13 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "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.", "Please double check the installation guides." => "Kérjük tüzetesen tanulmányozza át a telepítési útmutatót.", "seconds ago" => "pár másodperce", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "ma", "yesterday" => "tegnap", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "múlt hónapban", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "tavaly", "years ago" => "több éve", "Caused by:" => "Okozta:", diff --git a/lib/l10n/hy.php b/lib/l10n/hy.php index b2de92ed491..15f78e0bce6 100644 --- a/lib/l10n/hy.php +++ b/lib/l10n/hy.php @@ -1,8 +1,8 @@ array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day go_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,) +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n day go_::_%n days ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("","") ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/lib/l10n/ia.php b/lib/l10n/ia.php index 57ec37f4f4e..34f43bc424a 100644 --- a/lib/l10n/ia.php +++ b/lib/l10n/ia.php @@ -8,9 +8,9 @@ $TRANSLATIONS = array( "web services under your control" => "servicios web sub tu controlo", "Files" => "Files", "Text" => "Texto", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day go_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,) +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n day go_::_%n days ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("","") ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/lib/l10n/id.php b/lib/l10n/id.php index 4d2a10c3b85..eaec65516b8 100644 --- a/lib/l10n/id.php +++ b/lib/l10n/id.php @@ -37,13 +37,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Web server Anda belum dikonfigurasikan dengan baik untuk mengizinkan sinkronisasi berkas karena tampaknya antarmuka WebDAV rusak.", "Please double check the installation guides." => "Silakan periksa ulang panduan instalasi.", "seconds ago" => "beberapa detik yang lalu", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), "today" => "hari ini", "yesterday" => "kemarin", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array(""), "last month" => "bulan kemarin", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(""), "last year" => "tahun kemarin", "years ago" => "beberapa tahun lalu", "Could not find category \"%s\"" => "Tidak dapat menemukan kategori \"%s\"" diff --git a/lib/l10n/is.php b/lib/l10n/is.php index b3d63b060a7..7512d278fb8 100644 --- a/lib/l10n/is.php +++ b/lib/l10n/is.php @@ -17,13 +17,13 @@ $TRANSLATIONS = array( "Text" => "Texti", "Images" => "Myndir", "seconds ago" => "sek.", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "í dag", "yesterday" => "í gær", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "síðasta mánuði", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "síðasta ári", "years ago" => "einhverjum árum", "Could not find category \"%s\"" => "Fann ekki flokkinn \"%s\"" diff --git a/lib/l10n/it.php b/lib/l10n/it.php index 3975eeebfac..c29ab4833e3 100644 --- a/lib/l10n/it.php +++ b/lib/l10n/it.php @@ -41,13 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Il tuo server web non è configurato correttamente per consentire la sincronizzazione dei file poiché l'interfaccia WebDAV sembra essere danneggiata.", "Please double check the installation guides." => "Leggi attentamente le guide d'installazione.", "seconds ago" => "secondi fa", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "oggi", "yesterday" => "ieri", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "mese scorso", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "anno scorso", "years ago" => "anni fa", "Caused by:" => "Causato da:", diff --git a/lib/l10n/ja_JP.php b/lib/l10n/ja_JP.php index 6724a2c5ae2..482806d4946 100644 --- a/lib/l10n/ja_JP.php +++ b/lib/l10n/ja_JP.php @@ -41,13 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "WebDAVインタフェースが動作していないと考えられるため、あなたのWEBサーバはまだファイルの同期を許可するように適切な設定がされていません。", "Please double check the installation guides." => "インストールガイドをよく確認してください。", "seconds ago" => "数秒前", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), "today" => "今日", "yesterday" => "昨日", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array(""), "last month" => "一月前", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(""), "last year" => "一年前", "years ago" => "年前", "Caused by:" => "原因は以下:", diff --git a/lib/l10n/ka.php b/lib/l10n/ka.php index d5f9c783b65..04fefe8bdf1 100644 --- a/lib/l10n/ka.php +++ b/lib/l10n/ka.php @@ -7,11 +7,11 @@ $TRANSLATIONS = array( "ZIP download is turned off." => "ZIP გადმოწერა გამორთულია", "Files" => "ფაილები", "seconds ago" => "წამის წინ", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), "today" => "დღეს", "yesterday" => "გუშინ", -"_%n day go_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,) +"_%n day go_::_%n days ago_" => array(""), +"_%n month ago_::_%n months ago_" => array("") ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/lib/l10n/ka_GE.php b/lib/l10n/ka_GE.php index 83a8f0415e1..3cb55277d6c 100644 --- a/lib/l10n/ka_GE.php +++ b/lib/l10n/ka_GE.php @@ -37,13 +37,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "თქვენი web სერვერი არ არის კონფიგურირებული ფაილ სინქრონიზაციისთვის, რადგან WebDAV ინტერფეისი შეიძლება იყოს გატეხილი.", "Please double check the installation guides." => "გთხოვთ გადაათვალიეროთ ინსტალაციის გზამკვლევი.", "seconds ago" => "წამის წინ", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), "today" => "დღეს", "yesterday" => "გუშინ", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array(""), "last month" => "გასულ თვეში", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(""), "last year" => "ბოლო წელს", "years ago" => "წლის წინ", "Could not find category \"%s\"" => "\"%s\" კატეგორიის მოძებნა ვერ მოხერხდა" diff --git a/lib/l10n/kn.php b/lib/l10n/kn.php index 7ffe04ae962..e7b09649a24 100644 --- a/lib/l10n/kn.php +++ b/lib/l10n/kn.php @@ -1,8 +1,8 @@ array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day go_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,) +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), +"_%n day go_::_%n days ago_" => array(""), +"_%n month ago_::_%n months ago_" => array("") ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/lib/l10n/ko.php b/lib/l10n/ko.php index d23dd51665a..824882c984d 100644 --- a/lib/l10n/ko.php +++ b/lib/l10n/ko.php @@ -27,13 +27,13 @@ $TRANSLATIONS = array( "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" => "초 전", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), "today" => "오늘", "yesterday" => "어제", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array(""), "last month" => "지난 달", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(""), "last year" => "작년", "years ago" => "년 전", "Could not find category \"%s\"" => "분류 \"%s\"을(를) 찾을 수 없습니다." diff --git a/lib/l10n/ku_IQ.php b/lib/l10n/ku_IQ.php index b17b3a86992..c99f9dd2a12 100644 --- a/lib/l10n/ku_IQ.php +++ b/lib/l10n/ku_IQ.php @@ -5,9 +5,9 @@ $TRANSLATIONS = array( "Users" => "به‌كارهێنه‌ر", "Admin" => "به‌ڕێوه‌به‌ری سه‌ره‌كی", "web services under your control" => "ڕاژه‌ی وێب له‌ژێر چاودێریت دایه", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day go_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,) +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n day go_::_%n days ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("","") ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/lib/l10n/lb.php b/lib/l10n/lb.php index a32a1fe8647..c25f5b55bd5 100644 --- a/lib/l10n/lb.php +++ b/lib/l10n/lb.php @@ -10,13 +10,13 @@ $TRANSLATIONS = array( "Files" => "Dateien", "Text" => "SMS", "seconds ago" => "Sekonnen hir", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "haut", "yesterday" => "gëschter", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "Läschte Mount", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "Läscht Joer", "years ago" => "Joren hier" ); diff --git a/lib/l10n/lt_LT.php b/lib/l10n/lt_LT.php index 8d90cf52a70..fb109b86339 100644 --- a/lib/l10n/lt_LT.php +++ b/lib/l10n/lt_LT.php @@ -17,13 +17,13 @@ $TRANSLATIONS = array( "Text" => "Žinučių", "Images" => "Paveikslėliai", "seconds ago" => "prieš sekundę", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("","",""), +"_%n hour ago_::_%n hours ago_" => array("","",""), "today" => "šiandien", "yesterday" => "vakar", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("","",""), "last month" => "praeitą mėnesį", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("","",""), "last year" => "praeitais metais", "years ago" => "prieš metus" ); diff --git a/lib/l10n/lv.php b/lib/l10n/lv.php index 8031cd027da..2a2daee8d89 100644 --- a/lib/l10n/lv.php +++ b/lib/l10n/lv.php @@ -37,13 +37,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Jūsu serveris vēl nav pareizi iestatīts, lai ļautu sinhronizēt datnes, jo izskatās, ka WebDAV saskarne ir salauzta.", "Please double check the installation guides." => "Lūdzu, vēlreiz pārbaudiet instalēšanas palīdzību.", "seconds ago" => "sekundes atpakaļ", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("","",""), +"_%n hour ago_::_%n hours ago_" => array("","",""), "today" => "šodien", "yesterday" => "vakar", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("","",""), "last month" => "pagājušajā mēnesī", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("","",""), "last year" => "gājušajā gadā", "years ago" => "gadus atpakaļ", "Could not find category \"%s\"" => "Nevarēja atrast kategoriju “%s”" diff --git a/lib/l10n/mk.php b/lib/l10n/mk.php index 847dcd637d1..69d4a1cb694 100644 --- a/lib/l10n/mk.php +++ b/lib/l10n/mk.php @@ -17,13 +17,13 @@ $TRANSLATIONS = array( "Text" => "Текст", "Images" => "Слики", "seconds ago" => "пред секунди", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "денеска", "yesterday" => "вчера", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "минатиот месец", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "минатата година", "years ago" => "пред години", "Could not find category \"%s\"" => "Не можам да најдам категорија „%s“" diff --git a/lib/l10n/ml_IN.php b/lib/l10n/ml_IN.php index b2de92ed491..15f78e0bce6 100644 --- a/lib/l10n/ml_IN.php +++ b/lib/l10n/ml_IN.php @@ -1,8 +1,8 @@ array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day go_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,) +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n day go_::_%n days ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("","") ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/lib/l10n/ms_MY.php b/lib/l10n/ms_MY.php index bdd6bdb2b38..17ef07f83dd 100644 --- a/lib/l10n/ms_MY.php +++ b/lib/l10n/ms_MY.php @@ -9,9 +9,9 @@ $TRANSLATIONS = array( "Authentication error" => "Ralat pengesahan", "Files" => "Fail-fail", "Text" => "Teks", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day go_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,) +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), +"_%n day go_::_%n days ago_" => array(""), +"_%n month ago_::_%n months ago_" => array("") ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/lib/l10n/my_MM.php b/lib/l10n/my_MM.php index c70fef857f8..b2e9ca18139 100644 --- a/lib/l10n/my_MM.php +++ b/lib/l10n/my_MM.php @@ -14,13 +14,13 @@ $TRANSLATIONS = array( "Text" => "စာသား", "Images" => "ပုံရိပ်များ", "seconds ago" => "စက္ကန့်အနည်းငယ်က", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), "today" => "ယနေ့", "yesterday" => "မနေ့က", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array(""), "last month" => "ပြီးခဲ့သောလ", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(""), "last year" => "မနှစ်က", "years ago" => "နှစ် အရင်က", "Could not find category \"%s\"" => "\"%s\"ခေါင်းစဉ်ကို ရှာမတွေ့ပါ" diff --git a/lib/l10n/nb_NO.php b/lib/l10n/nb_NO.php index 69787c400f2..8e7d095d369 100644 --- a/lib/l10n/nb_NO.php +++ b/lib/l10n/nb_NO.php @@ -19,13 +19,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Din nettservev er ikke konfigurert korrekt for filsynkronisering. WebDAV ser ut til å ikke funkere.", "Please double check the installation guides." => "Vennligst dobbelsjekk installasjonsguiden.", "seconds ago" => "sekunder siden", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "i dag", "yesterday" => "i går", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "forrige måned", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "forrige år", "years ago" => "år siden", "Could not find category \"%s\"" => "Kunne ikke finne kategori \"%s\"" diff --git a/lib/l10n/ne.php b/lib/l10n/ne.php index b2de92ed491..15f78e0bce6 100644 --- a/lib/l10n/ne.php +++ b/lib/l10n/ne.php @@ -1,8 +1,8 @@ array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day go_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,) +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n day go_::_%n days ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("","") ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/lib/l10n/nl.php b/lib/l10n/nl.php index c8616fcbb85..2d737bd5ebd 100644 --- a/lib/l10n/nl.php +++ b/lib/l10n/nl.php @@ -41,13 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Uw webserver is nog niet goed ingesteld voor bestandssynchronisatie omdat de WebDAV interface verbroken lijkt.", "Please double check the installation guides." => "Controleer de installatiehandleiding goed.", "seconds ago" => "seconden geleden", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "vandaag", "yesterday" => "gisteren", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "vorige maand", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "vorig jaar", "years ago" => "jaar geleden", "Caused by:" => "Gekomen door:", diff --git a/lib/l10n/nn_NO.php b/lib/l10n/nn_NO.php index 4efc4f8e0d6..28b4f7b7d94 100644 --- a/lib/l10n/nn_NO.php +++ b/lib/l10n/nn_NO.php @@ -12,13 +12,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Tenaren din er ikkje enno rett innstilt til å tilby filsynkronisering sidan WebDAV-grensesnittet ser ut til å vera øydelagt.", "Please double check the installation guides." => "Ver vennleg og dobbeltsjekk installasjonsrettleiinga.", "seconds ago" => "sekund sidan", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "i dag", "yesterday" => "i går", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "førre månad", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "i fjor", "years ago" => "år sidan" ); diff --git a/lib/l10n/oc.php b/lib/l10n/oc.php index 0fc38d0ff2c..40a527cc76c 100644 --- a/lib/l10n/oc.php +++ b/lib/l10n/oc.php @@ -12,13 +12,13 @@ $TRANSLATIONS = array( "Authentication error" => "Error d'autentificacion", "Files" => "Fichièrs", "seconds ago" => "segonda a", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "uèi", "yesterday" => "ièr", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "mes passat", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "an passat", "years ago" => "ans a" ); diff --git a/lib/l10n/pl.php b/lib/l10n/pl.php index edbddeeace5..1740676080e 100644 --- a/lib/l10n/pl.php +++ b/lib/l10n/pl.php @@ -41,13 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Serwer internetowy nie jest jeszcze poprawnie skonfigurowany, aby umożliwić synchronizację plików, ponieważ interfejs WebDAV wydaje się być uszkodzony.", "Please double check the installation guides." => "Sprawdź ponownie przewodniki instalacji.", "seconds ago" => "sekund temu", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("","",""), +"_%n hour ago_::_%n hours ago_" => array("","",""), "today" => "dziś", "yesterday" => "wczoraj", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("","",""), "last month" => "w zeszłym miesiącu", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("","",""), "last year" => "w zeszłym roku", "years ago" => "lat temu", "Caused by:" => "Spowodowane przez:", diff --git a/lib/l10n/pt_BR.php b/lib/l10n/pt_BR.php index 75987409e70..4ebf587cf86 100644 --- a/lib/l10n/pt_BR.php +++ b/lib/l10n/pt_BR.php @@ -41,13 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Seu servidor web não está configurado corretamente para permitir sincronização de arquivos porque a interface WebDAV parece estar quebrada.", "Please double check the installation guides." => "Por favor, confira os guias de instalação.", "seconds ago" => "segundos atrás", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "hoje", "yesterday" => "ontem", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "último mês", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "último ano", "years ago" => "anos atrás", "Caused by:" => "Causados ​​por:", diff --git a/lib/l10n/pt_PT.php b/lib/l10n/pt_PT.php index 7518aba2a41..3131499e130 100644 --- a/lib/l10n/pt_PT.php +++ b/lib/l10n/pt_PT.php @@ -41,13 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "O seu servidor web não está configurado correctamente para autorizar sincronização de ficheiros, pois o interface WebDAV parece estar com problemas.", "Please double check the installation guides." => "Por favor verifique installation guides.", "seconds ago" => "Minutos atrás", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "hoje", "yesterday" => "ontem", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "ultímo mês", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "ano passado", "years ago" => "anos atrás", "Caused by:" => "Causado por:", diff --git a/lib/l10n/ro.php b/lib/l10n/ro.php index 788e57f1703..3a555f6a29f 100644 --- a/lib/l10n/ro.php +++ b/lib/l10n/ro.php @@ -20,13 +20,13 @@ $TRANSLATIONS = array( "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ă", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("","",""), +"_%n hour ago_::_%n hours ago_" => array("","",""), "today" => "astăzi", "yesterday" => "ieri", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("","",""), "last month" => "ultima lună", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("","",""), "last year" => "ultimul an", "years ago" => "ani în urmă", "Could not find category \"%s\"" => "Cloud nu a gasit categoria \"%s\"" diff --git a/lib/l10n/ru.php b/lib/l10n/ru.php index a723dfc1113..92b14b9b89e 100644 --- a/lib/l10n/ru.php +++ b/lib/l10n/ru.php @@ -41,13 +41,13 @@ $TRANSLATIONS = array( "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" => "несколько секунд назад", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("","",""), +"_%n hour ago_::_%n hours ago_" => array("","",""), "today" => "сегодня", "yesterday" => "вчера", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("","",""), "last month" => "в прошлом месяце", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("","",""), "last year" => "в прошлом году", "years ago" => "несколько лет назад", "Caused by:" => "Вызвано:", diff --git a/lib/l10n/si_LK.php b/lib/l10n/si_LK.php index 6f0d96f044e..d10804cae69 100644 --- a/lib/l10n/si_LK.php +++ b/lib/l10n/si_LK.php @@ -17,13 +17,13 @@ $TRANSLATIONS = array( "Text" => "පෙළ", "Images" => "අනු රූ", "seconds ago" => "තත්පරයන්ට පෙර", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "අද", "yesterday" => "ඊයේ", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "පෙර මාසයේ", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "පෙර අවුරුද්දේ", "years ago" => "අවුරුදු කීපයකට පෙර" ); diff --git a/lib/l10n/sk.php b/lib/l10n/sk.php index abc5a2556c9..54812b15a6f 100644 --- a/lib/l10n/sk.php +++ b/lib/l10n/sk.php @@ -1,8 +1,8 @@ array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day go_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,) +"_%n minute ago_::_%n minutes ago_" => array("","",""), +"_%n hour ago_::_%n hours ago_" => array("","",""), +"_%n day go_::_%n days ago_" => array("","",""), +"_%n month ago_::_%n months ago_" => array("","","") ); $PLURAL_FORMS = "nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;"; diff --git a/lib/l10n/sk_SK.php b/lib/l10n/sk_SK.php index b1a6ee07a5c..ef3dc6eb977 100644 --- a/lib/l10n/sk_SK.php +++ b/lib/l10n/sk_SK.php @@ -41,13 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Váš webový server nie je správne nastavený na synchronizáciu, pretože rozhranie WebDAV je poškodené.", "Please double check the installation guides." => "Prosím skontrolujte inštalačnú príručku.", "seconds ago" => "pred sekundami", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("","",""), +"_%n hour ago_::_%n hours ago_" => array("","",""), "today" => "dnes", "yesterday" => "včera", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("","",""), "last month" => "minulý mesiac", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("","",""), "last year" => "minulý rok", "years ago" => "pred rokmi", "Caused by:" => "Príčina:", diff --git a/lib/l10n/sl.php b/lib/l10n/sl.php index 0e918a9f156..73a397f3c84 100644 --- a/lib/l10n/sl.php +++ b/lib/l10n/sl.php @@ -38,13 +38,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Spletni stražnik še ni ustrezno nastavljen in ne omogoča usklajevanja, saj je nastavitev WebDAV okvarjena.", "Please double check the installation guides." => "Preverite navodila namestitve.", "seconds ago" => "pred nekaj sekundami", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("","","",""), +"_%n hour ago_::_%n hours ago_" => array("","","",""), "today" => "danes", "yesterday" => "včeraj", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("","","",""), "last month" => "zadnji mesec", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("","","",""), "last year" => "lansko leto", "years ago" => "let nazaj", "Could not find category \"%s\"" => "Kategorije \"%s\" ni mogoče najti." diff --git a/lib/l10n/sq.php b/lib/l10n/sq.php index a992d10ddb4..ca2364f9864 100644 --- a/lib/l10n/sq.php +++ b/lib/l10n/sq.php @@ -37,13 +37,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "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.", "Please double check the installation guides." => "Ju lutemi kontrolloni mirë shoqëruesin e instalimit.", "seconds ago" => "sekonda më parë", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "sot", "yesterday" => "dje", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "muajin e shkuar", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "vitin e shkuar", "years ago" => "vite më parë", "Could not find category \"%s\"" => "Kategoria \"%s\" nuk u gjet" diff --git a/lib/l10n/sr.php b/lib/l10n/sr.php index 85b7cfea646..c42419b6d92 100644 --- a/lib/l10n/sr.php +++ b/lib/l10n/sr.php @@ -20,13 +20,13 @@ $TRANSLATIONS = array( "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" => "пре неколико секунди", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("","",""), +"_%n hour ago_::_%n hours ago_" => array("","",""), "today" => "данас", "yesterday" => "јуче", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("","",""), "last month" => "прошлог месеца", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("","",""), "last year" => "прошле године", "years ago" => "година раније", "Could not find category \"%s\"" => "Не могу да пронађем категорију „%s“." diff --git a/lib/l10n/sr@latin.php b/lib/l10n/sr@latin.php index 3a205bc56ee..5ba51bc0ba7 100644 --- a/lib/l10n/sr@latin.php +++ b/lib/l10n/sr@latin.php @@ -8,9 +8,9 @@ $TRANSLATIONS = array( "Authentication error" => "Greška pri autentifikaciji", "Files" => "Fajlovi", "Text" => "Tekst", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day go_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,) +"_%n minute ago_::_%n minutes ago_" => array("","",""), +"_%n hour ago_::_%n hours ago_" => array("","",""), +"_%n day go_::_%n days ago_" => array("","",""), +"_%n month ago_::_%n months ago_" => array("","","") ); $PLURAL_FORMS = "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"; diff --git a/lib/l10n/sv.php b/lib/l10n/sv.php index 64efa94242f..fa3ae318cee 100644 --- a/lib/l10n/sv.php +++ b/lib/l10n/sv.php @@ -41,13 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Din webbserver är inte korrekt konfigurerad för att tillåta filsynkronisering eftersom WebDAV inte verkar fungera.", "Please double check the installation guides." => "Var god kontrollera installationsguiden.", "seconds ago" => "sekunder sedan", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "i dag", "yesterday" => "i går", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "förra månaden", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "förra året", "years ago" => "år sedan", "Caused by:" => "Orsakad av:", diff --git a/lib/l10n/sw_KE.php b/lib/l10n/sw_KE.php index b2de92ed491..15f78e0bce6 100644 --- a/lib/l10n/sw_KE.php +++ b/lib/l10n/sw_KE.php @@ -1,8 +1,8 @@ array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day go_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,) +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n day go_::_%n days ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("","") ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/lib/l10n/ta_LK.php b/lib/l10n/ta_LK.php index 72d47ebee48..e70e65845be 100644 --- a/lib/l10n/ta_LK.php +++ b/lib/l10n/ta_LK.php @@ -17,13 +17,13 @@ $TRANSLATIONS = array( "Text" => "உரை", "Images" => "படங்கள்", "seconds ago" => "செக்கன்களுக்கு முன்", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "இன்று", "yesterday" => "நேற்று", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "கடந்த மாதம்", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "கடந்த வருடம்", "years ago" => "வருடங்களுக்கு முன்", "Could not find category \"%s\"" => "பிரிவு \"%s\" ஐ கண்டுப்பிடிக்க முடியவில்லை" diff --git a/lib/l10n/te.php b/lib/l10n/te.php index 77cc16307e1..524ea0c6024 100644 --- a/lib/l10n/te.php +++ b/lib/l10n/te.php @@ -4,13 +4,13 @@ $TRANSLATIONS = array( "Settings" => "అమరికలు", "Users" => "వాడుకరులు", "seconds ago" => "క్షణాల క్రితం", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "ఈరోజు", "yesterday" => "నిన్న", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "పోయిన నెల", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "పోయిన సంవత్సరం", "years ago" => "సంవత్సరాల క్రితం" ); diff --git a/lib/l10n/th_TH.php b/lib/l10n/th_TH.php index 656e492394c..53a150d8f1e 100644 --- a/lib/l10n/th_TH.php +++ b/lib/l10n/th_TH.php @@ -18,13 +18,13 @@ $TRANSLATIONS = array( "Text" => "ข้อความ", "Images" => "รูปภาพ", "seconds ago" => "วินาที ก่อนหน้านี้", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), "today" => "วันนี้", "yesterday" => "เมื่อวานนี้", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array(""), "last month" => "เดือนที่แล้ว", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(""), "last year" => "ปีที่แล้ว", "years ago" => "ปี ที่ผ่านมา", "Could not find category \"%s\"" => "ไม่พบหมวดหมู่ \"%s\"" diff --git a/lib/l10n/tr.php b/lib/l10n/tr.php index 11e04c04157..6dc20e8f595 100644 --- a/lib/l10n/tr.php +++ b/lib/l10n/tr.php @@ -38,13 +38,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Web sunucunuz dosya transferi için düzgün bir şekilde yapılandırılmamış. WevDAV arabirimini sorunlu gözüküyor.", "Please double check the installation guides." => "Lütfen kurulum kılavuzlarını iki kez kontrol edin.", "seconds ago" => "saniye önce", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), "today" => "bugün", "yesterday" => "dün", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("",""), "last month" => "geçen ay", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("",""), "last year" => "geçen yıl", "years ago" => "yıl önce", "Could not find category \"%s\"" => "\"%s\" kategorisi bulunamadı" diff --git a/lib/l10n/ug.php b/lib/l10n/ug.php index d5b714a7a07..731ad904d7e 100644 --- a/lib/l10n/ug.php +++ b/lib/l10n/ug.php @@ -8,11 +8,11 @@ $TRANSLATIONS = array( "Files" => "ھۆججەتلەر", "Text" => "قىسقا ئۇچۇر", "Images" => "سۈرەتلەر", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), "today" => "بۈگۈن", "yesterday" => "تۈنۈگۈن", -"_%n day go_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,) +"_%n day go_::_%n days ago_" => array(""), +"_%n month ago_::_%n months ago_" => array("") ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/lib/l10n/uk.php b/lib/l10n/uk.php index 0c0f1bc1a9b..26617396e06 100644 --- a/lib/l10n/uk.php +++ b/lib/l10n/uk.php @@ -37,13 +37,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Ваш Web-сервер ще не налаштований належним чином для того, щоб дозволити синхронізацію файлів, через те що інтерфейс WebDAV, здається, зламаний.", "Please double check the installation guides." => "Будь ласка, перевірте інструкції по встановленню.", "seconds ago" => "секунди тому", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array("","",""), +"_%n hour ago_::_%n hours ago_" => array("","",""), "today" => "сьогодні", "yesterday" => "вчора", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array("","",""), "last month" => "минулого місяця", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array("","",""), "last year" => "минулого року", "years ago" => "роки тому", "Could not find category \"%s\"" => "Не вдалося знайти категорію \"%s\"" diff --git a/lib/l10n/ur_PK.php b/lib/l10n/ur_PK.php index 73b7eed9f83..7dc967ccd93 100644 --- a/lib/l10n/ur_PK.php +++ b/lib/l10n/ur_PK.php @@ -6,9 +6,9 @@ $TRANSLATIONS = array( "Users" => "یوزرز", "Admin" => "ایڈمن", "web services under your control" => "آپ کے اختیار میں ویب سروسیز", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), -"_%n day go_::_%n days ago_" => array(,), -"_%n month ago_::_%n months ago_" => array(,) +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n day go_::_%n days ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("","") ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/lib/l10n/vi.php b/lib/l10n/vi.php index 68cb6b5c341..ebdb3ab2810 100644 --- a/lib/l10n/vi.php +++ b/lib/l10n/vi.php @@ -18,13 +18,13 @@ $TRANSLATIONS = array( "Text" => "Văn bản", "Images" => "Hình ảnh", "seconds ago" => "vài giây trước", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), "today" => "hôm nay", "yesterday" => "hôm qua", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array(""), "last month" => "tháng trước", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(""), "last year" => "năm trước", "years ago" => "năm trước", "Could not find category \"%s\"" => "không thể tìm thấy mục \"%s\"" diff --git a/lib/l10n/zh_CN.GB2312.php b/lib/l10n/zh_CN.GB2312.php index 63fffaac782..64c9926d5cf 100644 --- a/lib/l10n/zh_CN.GB2312.php +++ b/lib/l10n/zh_CN.GB2312.php @@ -19,13 +19,13 @@ $TRANSLATIONS = array( "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" => "秒前", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), "today" => "今天", "yesterday" => "昨天", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array(""), "last month" => "上个月", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(""), "last year" => "去年", "years ago" => "年前" ); diff --git a/lib/l10n/zh_CN.php b/lib/l10n/zh_CN.php index 3311ae7de17..b814b055a22 100644 --- a/lib/l10n/zh_CN.php +++ b/lib/l10n/zh_CN.php @@ -38,13 +38,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "您的Web服务器尚未正确设置以允许文件同步, 因为WebDAV的接口似乎已损坏.", "Please double check the installation guides." => "请认真检查安装指南.", "seconds ago" => "秒前", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), "today" => "今天", "yesterday" => "昨天", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array(""), "last month" => "上月", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(""), "last year" => "去年", "years ago" => "年前", "Could not find category \"%s\"" => "无法找到分类 \"%s\"" diff --git a/lib/l10n/zh_HK.php b/lib/l10n/zh_HK.php index 8609987fd6f..ca3e6d504e7 100644 --- a/lib/l10n/zh_HK.php +++ b/lib/l10n/zh_HK.php @@ -7,12 +7,12 @@ $TRANSLATIONS = array( "Admin" => "管理", "Files" => "文件", "Text" => "文字", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), "today" => "今日", "yesterday" => "昨日", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array(""), "last month" => "前一月", -"_%n month ago_::_%n months ago_" => array(,) +"_%n month ago_::_%n months ago_" => array("") ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/lib/l10n/zh_TW.php b/lib/l10n/zh_TW.php index 65f38d30dd6..83e0dff3926 100644 --- a/lib/l10n/zh_TW.php +++ b/lib/l10n/zh_TW.php @@ -38,13 +38,13 @@ $TRANSLATIONS = array( "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" => "幾秒前", -"_%n minute ago_::_%n minutes ago_" => array(,), -"_%n hour ago_::_%n hours ago_" => array(,), +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), "today" => "今天", "yesterday" => "昨天", -"_%n day go_::_%n days ago_" => array(,), +"_%n day go_::_%n days ago_" => array(""), "last month" => "上個月", -"_%n month ago_::_%n months ago_" => array(,), +"_%n month ago_::_%n months ago_" => array(""), "last year" => "去年", "years ago" => "幾年前", "Could not find category \"%s\"" => "找不到分類:\"%s\"" -- GitLab From 479f893f6ddef6a102b8f4ff3f68fc0b64838710 Mon Sep 17 00:00:00 2001 From: Arthur Schiwon Date: Thu, 15 Aug 2013 15:55:06 +0200 Subject: [PATCH 245/415] LDAP: Show Host name in configuration drop down --- apps/user_ldap/lib/helper.php | 28 +++++++++++++++++++++++++++ apps/user_ldap/settings.php | 2 ++ apps/user_ldap/templates/settings.php | 2 +- 3 files changed, 31 insertions(+), 1 deletion(-) diff --git a/apps/user_ldap/lib/helper.php b/apps/user_ldap/lib/helper.php index f65f466789f..4c9dd07a12c 100644 --- a/apps/user_ldap/lib/helper.php +++ b/apps/user_ldap/lib/helper.php @@ -70,6 +70,34 @@ class Helper { return $prefixes; } + /** + * + * @brief determines the host for every configured connection + * @return an array with configprefix as keys + * + */ + static public function getServerConfigurationHosts() { + $referenceConfigkey = 'ldap_host'; + + $query = ' + SELECT DISTINCT `configkey`, `configvalue` + FROM `*PREFIX*appconfig` + WHERE `appid` = \'user_ldap\' + AND `configkey` LIKE ? + '; + $query = \OCP\DB::prepare($query); + $configHosts = $query->execute(array('%'.$referenceConfigkey))->fetchAll(); + $result = array(); + + foreach($configHosts as $configHost) { + $len = strlen($configHost['configkey']) - strlen($referenceConfigkey); + $prefix = substr($configHost['configkey'], 0, $len); + $result[$prefix] = $configHost['configvalue']; + } + + return $result; + } + /** * @brief deletes a given saved LDAP/AD server configuration. * @param string the configuration prefix of the config to delete diff --git a/apps/user_ldap/settings.php b/apps/user_ldap/settings.php index 22e2dac6d26..7169192a18e 100644 --- a/apps/user_ldap/settings.php +++ b/apps/user_ldap/settings.php @@ -44,7 +44,9 @@ OCP\Util::addstyle('user_ldap', 'settings'); $tmpl = new OCP\Template('user_ldap', 'settings'); $prefixes = \OCA\user_ldap\lib\Helper::getServerConfigurationPrefixes(); +$hosts = \OCA\user_ldap\lib\Helper::getServerConfigurationHosts(); $tmpl->assign('serverConfigurationPrefixes', $prefixes); +$tmpl->assign('serverConfigurationHosts', $hosts); // assign default values if(!isset($ldap)) { diff --git a/apps/user_ldap/templates/settings.php b/apps/user_ldap/templates/settings.php index c051ea5cfe1..e214d57fb1d 100644 --- a/apps/user_ldap/templates/settings.php +++ b/apps/user_ldap/templates/settings.php @@ -24,7 +24,7 @@ $sel = ' selected'; foreach($_['serverConfigurationPrefixes'] as $prefix) { ?> - + Date: Thu, 15 Aug 2013 08:49:19 +0200 Subject: [PATCH 246/415] Clean up \OC\Util - Use camelCase - Add some phpdoc - Fix some indents - Use some more spacing --- core/lostpassword/controller.php | 2 +- core/minimizer.php | 4 +- core/setup.php | 4 +- lib/app.php | 8 +- lib/base.php | 8 +- lib/public/share.php | 2 +- lib/setup.php | 2 +- lib/setup/mysql.php | 2 +- lib/setup/oci.php | 2 +- lib/setup/postgresql.php | 2 +- lib/templatelayout.php | 4 +- lib/user.php | 2 +- lib/util.php | 458 ++++++++++++++++++------------- settings/admin.php | 4 +- tests/lib/db.php | 2 +- tests/lib/dbschema.php | 2 +- tests/lib/util.php | 4 +- 17 files changed, 290 insertions(+), 222 deletions(-) diff --git a/core/lostpassword/controller.php b/core/lostpassword/controller.php index 74a5be2b96f..f761e45d25f 100644 --- a/core/lostpassword/controller.php +++ b/core/lostpassword/controller.php @@ -42,7 +42,7 @@ class OC_Core_LostPassword_Controller { } if (OC_User::userExists($_POST['user']) && $continue) { - $token = hash('sha256', OC_Util::generate_random_bytes(30).OC_Config::getValue('passwordsalt', '')); + $token = hash('sha256', OC_Util::generateRandomBytes(30).OC_Config::getValue('passwordsalt', '')); OC_Preferences::setValue($_POST['user'], 'owncloud', 'lostpassword', hash('sha256', $token)); // Hash the token again to prevent timing attacks $email = OC_Preferences::getValue($_POST['user'], 'settings', 'email', ''); diff --git a/core/minimizer.php b/core/minimizer.php index 4da9037c413..eeeddf86a81 100644 --- a/core/minimizer.php +++ b/core/minimizer.php @@ -5,11 +5,11 @@ OC_App::loadApps(); if ($service == 'core.css') { $minimizer = new OC_Minimizer_CSS(); - $files = OC_TemplateLayout::findStylesheetFiles(OC_Util::$core_styles); + $files = OC_TemplateLayout::findStylesheetFiles(OC_Util::$coreStyles); $minimizer->output($files, $service); } else if ($service == 'core.js') { $minimizer = new OC_Minimizer_JS(); - $files = OC_TemplateLayout::findJavascriptFiles(OC_Util::$core_scripts); + $files = OC_TemplateLayout::findJavascriptFiles(OC_Util::$coreScripts); $minimizer->output($files, $service); } diff --git a/core/setup.php b/core/setup.php index 40e30db533a..1a2eac16030 100644 --- a/core/setup.php +++ b/core/setup.php @@ -33,8 +33,8 @@ $opts = array( 'hasOracle' => $hasOracle, 'hasMSSQL' => $hasMSSQL, 'directory' => $datadir, - 'secureRNG' => OC_Util::secureRNG_available(), - 'htaccessWorking' => OC_Util::ishtaccessworking(), + 'secureRNG' => OC_Util::secureRNGAvailable(), + 'htaccessWorking' => OC_Util::isHtaccessWorking(), 'vulnerableToNullByte' => $vulnerableToNullByte, 'errors' => array(), ); diff --git a/lib/app.php b/lib/app.php index 5fa650044f3..2f5a952d9f8 100644 --- a/lib/app.php +++ b/lib/app.php @@ -73,11 +73,11 @@ class OC_App{ if (!defined('DEBUG') || !DEBUG) { if (is_null($types) - && empty(OC_Util::$core_scripts) - && empty(OC_Util::$core_styles)) { - OC_Util::$core_scripts = OC_Util::$scripts; + && empty(OC_Util::$coreScripts) + && empty(OC_Util::$coreStyles)) { + OC_Util::$coreScripts = OC_Util::$scripts; OC_Util::$scripts = array(); - OC_Util::$core_styles = OC_Util::$styles; + OC_Util::$coreStyles = OC_Util::$styles; OC_Util::$styles = array(); } } diff --git a/lib/base.php b/lib/base.php index eaee8424651..7a4f5fc7ce4 100644 --- a/lib/base.php +++ b/lib/base.php @@ -413,7 +413,7 @@ class OC { } self::initPaths(); - OC_Util::issetlocaleworking(); + OC_Util::isSetlocaleWorking(); // set debug mode if an xdebug session is active if (!defined('DEBUG') || !DEBUG) { @@ -522,7 +522,7 @@ class OC { } // write error into log if locale can't be set - if (OC_Util::issetlocaleworking() == false) { + if (OC_Util::isSetlocaleWorking() == false) { OC_Log::write('core', 'setting locale to en_US.UTF-8/en_US.UTF8 failed. Support is probably not installed on your system', OC_Log::ERROR); @@ -735,7 +735,7 @@ class OC { if (in_array($_COOKIE['oc_token'], $tokens, true)) { // replace successfully used token with a new one OC_Preferences::deleteKey($_COOKIE['oc_username'], 'login_token', $_COOKIE['oc_token']); - $token = OC_Util::generate_random_bytes(32); + $token = OC_Util::generateRandomBytes(32); OC_Preferences::setValue($_COOKIE['oc_username'], 'login_token', $token, time()); OC_User::setMagicInCookie($_COOKIE['oc_username'], $token); // login @@ -774,7 +774,7 @@ class OC { if (defined("DEBUG") && DEBUG) { OC_Log::write('core', 'Setting remember login to cookie', OC_Log::DEBUG); } - $token = OC_Util::generate_random_bytes(32); + $token = OC_Util::generateRandomBytes(32); OC_Preferences::setValue($_POST['user'], 'login_token', $token, time()); OC_User::setMagicInCookie($_POST["user"], $token); } else { diff --git a/lib/public/share.php b/lib/public/share.php index 63645e6fa34..7714837769d 100644 --- a/lib/public/share.php +++ b/lib/public/share.php @@ -463,7 +463,7 @@ class Share { if (isset($oldToken)) { $token = $oldToken; } else { - $token = \OC_Util::generate_random_bytes(self::TOKEN_LENGTH); + $token = \OC_Util::generateRandomBytes(self::TOKEN_LENGTH); } $result = self::put($itemType, $itemSource, $shareType, $shareWith, $uidOwner, $permissions, null, $token); diff --git a/lib/setup.php b/lib/setup.php index 05a49890976..6bf3c88370f 100644 --- a/lib/setup.php +++ b/lib/setup.php @@ -61,7 +61,7 @@ class OC_Setup { } //generate a random salt that is used to salt the local user passwords - $salt = OC_Util::generate_random_bytes(30); + $salt = OC_Util::generateRandomBytes(30); OC_Config::setValue('passwordsalt', $salt); //write the config file diff --git a/lib/setup/mysql.php b/lib/setup/mysql.php index 0cf04fde5a1..d97b6d2602f 100644 --- a/lib/setup/mysql.php +++ b/lib/setup/mysql.php @@ -23,7 +23,7 @@ class MySQL extends AbstractDatabase { $this->dbuser=substr('oc_'.$username, 0, 16); if($this->dbuser!=$oldUser) { //hash the password so we don't need to store the admin config in the config file - $this->dbpassword=\OC_Util::generate_random_bytes(30); + $this->dbpassword=\OC_Util::generateRandomBytes(30); $this->createDBUser($connection); diff --git a/lib/setup/oci.php b/lib/setup/oci.php index 86b53de45a4..326d7a00531 100644 --- a/lib/setup/oci.php +++ b/lib/setup/oci.php @@ -65,7 +65,7 @@ class OCI extends AbstractDatabase { //add prefix to the oracle user name to prevent collisions $this->dbuser='oc_'.$username; //create a new password so we don't need to store the admin config in the config file - $this->dbpassword=\OC_Util::generate_random_bytes(30); + $this->dbpassword=\OC_Util::generateRandomBytes(30); //oracle passwords are treated as identifiers: // must start with aphanumeric char diff --git a/lib/setup/postgresql.php b/lib/setup/postgresql.php index 49fcbf0326e..89d328ada19 100644 --- a/lib/setup/postgresql.php +++ b/lib/setup/postgresql.php @@ -33,7 +33,7 @@ class PostgreSQL extends AbstractDatabase { //add prefix to the postgresql user name to prevent collisions $this->dbuser='oc_'.$username; //create a new password so we don't need to store the admin config in the config file - $this->dbpassword=\OC_Util::generate_random_bytes(30); + $this->dbpassword=\OC_Util::generateRandomBytes(30); $this->createDBUser($connection); diff --git a/lib/templatelayout.php b/lib/templatelayout.php index 0024c9d4960..0b868a39e49 100644 --- a/lib/templatelayout.php +++ b/lib/templatelayout.php @@ -58,7 +58,7 @@ class OC_TemplateLayout extends OC_Template { if (OC_Config::getValue('installed', false) && $renderas!='error') { $this->append( 'jsfiles', OC_Helper::linkToRoute('js_config') . $versionParameter); } - if (!empty(OC_Util::$core_scripts)) { + if (!empty(OC_Util::$coreScripts)) { $this->append( 'jsfiles', OC_Helper::linkToRemoteBase('core.js', false) . $versionParameter); } foreach($jsfiles as $info) { @@ -71,7 +71,7 @@ class OC_TemplateLayout extends OC_Template { // Add the css files $cssfiles = self::findStylesheetFiles(OC_Util::$styles); $this->assign('cssfiles', array()); - if (!empty(OC_Util::$core_styles)) { + if (!empty(OC_Util::$coreStyles)) { $this->append( 'cssfiles', OC_Helper::linkToRemoteBase('core.css', false) . $versionParameter); } foreach($cssfiles as $info) { diff --git a/lib/user.php b/lib/user.php index 93c7c9d4cd5..0f6f40aec9a 100644 --- a/lib/user.php +++ b/lib/user.php @@ -353,7 +353,7 @@ class OC_User { * generates a password */ public static function generatePassword() { - return OC_Util::generate_random_bytes(30); + return OC_Util::generateRandomBytes(30); } /** diff --git a/lib/util.php b/lib/util.php index 25632ac1ea2..24ae7d3d1c4 100755 --- a/lib/util.php +++ b/lib/util.php @@ -11,12 +11,16 @@ class OC_Util { public static $headers=array(); private static $rootMounted=false; private static $fsSetup=false; - public static $core_styles=array(); - public static $core_scripts=array(); + public static $coreStyles=array(); + public static $coreScripts=array(); - // Can be set up - public static function setupFS( $user = '' ) {// configure the initial filesystem based on the configuration - if(self::$fsSetup) {//setting up the filesystem twice can only lead to trouble + /** + * @brief Can be set up + * @param user string + * @return boolean + */ + public static function setupFS( $user = '' ) { // configure the initial filesystem based on the configuration + if(self::$fsSetup) { //setting up the filesystem twice can only lead to trouble return false; } @@ -37,42 +41,45 @@ class OC_Util { self::$fsSetup=true; } - $CONFIG_DATADIRECTORY = OC_Config::getValue( "datadirectory", OC::$SERVERROOT."/data" ); + $configDataDirectory = OC_Config::getValue( "datadirectory", OC::$SERVERROOT."/data" ); //first set up the local "root" storage \OC\Files\Filesystem::initMounts(); if(!self::$rootMounted) { - \OC\Files\Filesystem::mount('\OC\Files\Storage\Local', array('datadir'=>$CONFIG_DATADIRECTORY), '/'); - self::$rootMounted=true; + \OC\Files\Filesystem::mount('\OC\Files\Storage\Local', array('datadir'=>$configDataDirectory), '/'); + self::$rootMounted = true; } if( $user != "" ) { //if we aren't logged in, there is no use to set up the filesystem - $user_dir = '/'.$user.'/files'; - $user_root = OC_User::getHome($user); - $userdirectory = $user_root . '/files'; - if( !is_dir( $userdirectory )) { - mkdir( $userdirectory, 0755, true ); + $userDir = '/'.$user.'/files'; + $userRoot = OC_User::getHome($user); + $userDirectory = $userRoot . '/files'; + if( !is_dir( $userDirectory )) { + mkdir( $userDirectory, 0755, true ); } //jail the user into his "home" directory - \OC\Files\Filesystem::init($user, $user_dir); + \OC\Files\Filesystem::init($user, $userDir); - $quotaProxy=new OC_FileProxy_Quota(); + $quotaProxy = new OC_FileProxy_Quota(); $fileOperationProxy = new OC_FileProxy_FileOperations(); OC_FileProxy::register($quotaProxy); OC_FileProxy::register($fileOperationProxy); - OC_Hook::emit('OC_Filesystem', 'setup', array('user' => $user, 'user_dir' => $user_dir)); + OC_Hook::emit('OC_Filesystem', 'setup', array('user' => $user, 'user_dir' => $userDir)); } return true; } + /** + * @return void + */ public static function tearDownFS() { \OC\Files\Filesystem::tearDown(); self::$fsSetup=false; - self::$rootMounted=false; + self::$rootMounted=false; } /** - * get the current installed version of ownCloud + * @brief get the current installed version of ownCloud * @return array */ public static function getVersion() { @@ -82,7 +89,7 @@ class OC_Util { } /** - * get the current installed version string of ownCloud + * @brief get the current installed version string of ownCloud * @return string */ public static function getVersionString() { @@ -90,7 +97,7 @@ class OC_Util { } /** - * get the current installed edition of ownCloud. There is the community + * @description get the current installed edition of ownCloud. There is the community * edition that just returns an empty string and the enterprise edition * that returns "Enterprise". * @return string @@ -100,37 +107,39 @@ class OC_Util { } /** - * add a javascript file + * @brief add a javascript file * - * @param appid $application - * @param filename $file + * @param appid $application + * @param filename $file + * @return void */ public static function addScript( $application, $file = null ) { - if( is_null( $file )) { + if ( is_null( $file )) { $file = $application; $application = ""; } - if( !empty( $application )) { + if ( !empty( $application )) { self::$scripts[] = "$application/js/$file"; - }else{ + } else { self::$scripts[] = "js/$file"; } } /** - * add a css file + * @brief add a css file * - * @param appid $application - * @param filename $file + * @param appid $application + * @param filename $file + * @return void */ public static function addStyle( $application, $file = null ) { - if( is_null( $file )) { + if ( is_null( $file )) { $file = $application; $application = ""; } - if( !empty( $application )) { + if ( !empty( $application )) { self::$styles[] = "$application/css/$file"; - }else{ + } else { self::$styles[] = "css/$file"; } } @@ -140,63 +149,74 @@ class OC_Util { * @param string tag tag name of the element * @param array $attributes array of attributes for the element * @param string $text the text content for the element + * @return void */ public static function addHeader( $tag, $attributes, $text='') { - self::$headers[] = array('tag'=>$tag, 'attributes'=>$attributes, 'text'=>$text); + self::$headers[] = array( + 'tag'=>$tag, + 'attributes'=>$attributes, + 'text'=>$text + ); } /** - * formats a timestamp in the "right" way + * @brief formats a timestamp in the "right" way * * @param int timestamp $timestamp * @param bool dateOnly option to omit time from the result + * @return string timestamp */ public static function formatDate( $timestamp, $dateOnly=false) { - if(\OC::$session->exists('timezone')) {//adjust to clients timezone if we know it + if(\OC::$session->exists('timezone')) { //adjust to clients timezone if we know it $systemTimeZone = intval(date('O')); - $systemTimeZone=(round($systemTimeZone/100, 0)*60)+($systemTimeZone%100); - $clientTimeZone=\OC::$session->get('timezone')*60; - $offset=$clientTimeZone-$systemTimeZone; - $timestamp=$timestamp+$offset*60; + $systemTimeZone = (round($systemTimeZone/100, 0)*60) + ($systemTimeZone%100); + $clientTimeZone = \OC::$session->get('timezone')*60; + $offset = $clientTimeZone - $systemTimeZone; + $timestamp = $timestamp + $offset*60; } - $l=OC_L10N::get('lib'); + $l = OC_L10N::get('lib'); return $l->l($dateOnly ? 'date' : 'datetime', $timestamp); } /** - * check if the current server configuration is suitable for ownCloud + * @brief check if the current server configuration is suitable for ownCloud * @return array arrays with error messages and hints */ public static function checkServer() { // Assume that if checkServer() succeeded before in this session, then all is fine. - if(\OC::$session->exists('checkServer_suceeded') && \OC::$session->get('checkServer_suceeded')) + if(\OC::$session->exists('checkServer_suceeded') && \OC::$session->get('checkServer_suceeded')) { return array(); + } - $errors=array(); + $errors = array(); $defaults = new \OC_Defaults(); - $web_server_restart= false; + $webServerRestart = false; //check for database drivers if(!(is_callable('sqlite_open') or class_exists('SQLite3')) and !is_callable('mysql_connect') and !is_callable('pg_connect') and !is_callable('oci_connect')) { - $errors[]=array('error'=>'No database drivers (sqlite, mysql, or postgresql) installed.', - 'hint'=>'');//TODO: sane hint - $web_server_restart= true; + $errors[] = array( + 'error'=>'No database drivers (sqlite, mysql, or postgresql) installed.', + 'hint'=>'' //TODO: sane hint + ); + $webServerRestart = true; } //common hint for all file permissons error messages $permissionsHint = 'Permissions can usually be fixed by ' - .'giving the webserver write access to the root directory.'; + .'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", 'hint' => 'This can usually be fixed by ' - .'giving the webserver write access to the config directory.' + .'giving the webserver write access to the config directory.' ); } @@ -208,7 +228,8 @@ class OC_Util { $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 ' + .'giving the webserver write access to the apps directory ' .'or disabling the appstore in the config file.' ); } @@ -223,94 +244,131 @@ class OC_Util { $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.' + .'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', - 'hint'=>$permissionsHint); + $errors[] = array( + 'error'=>'Data directory ('.$CONFIG_DATADIRECTORY.') not writable by ownCloud', + 'hint'=>$permissionsHint + ); } else { $errors = array_merge($errors, self::checkDataDirectoryPermissions($CONFIG_DATADIRECTORY)); } + + $moduleHint = "Please ask your server administrator to install the module."; // check if all required php modules are present if(!class_exists('ZipArchive')) { - $errors[]=array('error'=>'PHP module zip not installed.', - 'hint'=>'Please ask your server administrator to install the module.'); - $web_server_restart=true; + $errors[] = array( + 'error'=>'PHP module zip not installed.', + 'hint'=>$moduleHint + ); + $webServerRestart = true; } if(!class_exists('DOMDocument')) { - $errors[] = array('error' => 'PHP module dom not installed.', - 'hint' => 'Please ask your server administrator to install the module.'); - $web_server_restart =true; + $errors[] = array( + 'error' => 'PHP module dom not installed.', + 'hint' => $moduleHint + ); + $webServerRestart =true; } if(!function_exists('xml_parser_create')) { - $errors[] = array('error' => 'PHP module libxml not installed.', - 'hint' => 'Please ask your server administrator to install the module.'); - $web_server_restart =true; + $errors[] = array( + 'error' => 'PHP module libxml not installed.', + 'hint' => $moduleHint + ); + $webServerRestart = true; } if(!function_exists('mb_detect_encoding')) { - $errors[]=array('error'=>'PHP module mb multibyte not installed.', - 'hint'=>'Please ask your server administrator to install the module.'); - $web_server_restart=true; + $errors[] = array( + 'error'=>'PHP module mb multibyte not installed.', + 'hint'=>$moduleHint + ); + $webServerRestart = true; } if(!function_exists('ctype_digit')) { - $errors[]=array('error'=>'PHP module ctype is not installed.', - 'hint'=>'Please ask your server administrator to install the module.'); - $web_server_restart=true; + $errors[] = array( + 'error'=>'PHP module ctype is not installed.', + 'hint'=>$moduleHint + ); + $webServerRestart = true; } if(!function_exists('json_encode')) { - $errors[]=array('error'=>'PHP module JSON is not installed.', - 'hint'=>'Please ask your server administrator to install the module.'); - $web_server_restart=true; + $errors[] = array( + 'error'=>'PHP module JSON is not installed.', + 'hint'=>$moduleHint + ); + $webServerRestart = true; } if(!extension_loaded('gd') || !function_exists('gd_info')) { - $errors[]=array('error'=>'PHP module GD is not installed.', - 'hint'=>'Please ask your server administrator to install the module.'); - $web_server_restart=true; + $errors[] = array( + 'error'=>'PHP module GD is not installed.', + 'hint'=>$moduleHint + ); + $webServerRestart = true; } if(!function_exists('gzencode')) { - $errors[]=array('error'=>'PHP module zlib is not installed.', - 'hint'=>'Please ask your server administrator to install the module.'); - $web_server_restart=true; + $errors[] = array( + 'error'=>'PHP module zlib is not installed.', + 'hint'=>$moduleHint + ); + $webServerRestart = true; } if(!function_exists('iconv')) { - $errors[]=array('error'=>'PHP module iconv is not installed.', - 'hint'=>'Please ask your server administrator to install the module.'); - $web_server_restart=true; + $errors[] = array( + 'error'=>'PHP module iconv is not installed.', + 'hint'=>$moduleHint + ); + $webServerRestart = true; } if(!function_exists('simplexml_load_string')) { - $errors[]=array('error'=>'PHP module SimpleXML is not installed.', - 'hint'=>'Please ask your server administrator to install the module.'); - $web_server_restart=true; + $errors[] = array( + 'error'=>'PHP module SimpleXML is not installed.', + 'hint'=>$moduleHint + ); + $webServerRestart = true; } - if(floatval(phpversion())<5.3) { - $errors[]=array('error'=>'PHP 5.3 is required.', + if(floatval(phpversion()) < 5.3) { + $errors[] = array( + 'error'=>'PHP 5.3 is required.', 'hint'=>'Please ask your server administrator to update PHP to version 5.3 or higher.' - .' PHP 5.2 is no longer supported by ownCloud and the PHP community.'); - $web_server_restart=true; + .' PHP 5.2 is no longer supported by ownCloud and the PHP community.' + ); + $webServerRestart = true; } if(!defined('PDO::ATTR_DRIVER_NAME')) { - $errors[]=array('error'=>'PHP PDO module is not installed.', - 'hint'=>'Please ask your server administrator to install the module.'); - $web_server_restart=true; + $errors[] = array( + 'error'=>'PHP PDO module is not installed.', + 'hint'=>$moduleHint + ); + $webServerRestart = true; } if (((strtolower(@ini_get('safe_mode')) == 'on') || (strtolower(@ini_get('safe_mode')) == 'yes') || (strtolower(@ini_get('safe_mode')) == 'true') || (ini_get("safe_mode") == 1 ))) { - $errors[]=array('error'=>'PHP Safe Mode is enabled. ownCloud requires that it is disabled to work properly.', - 'hint'=>'PHP Safe Mode is a deprecated and mostly useless setting that should be disabled. Please ask your server administrator to disable it in php.ini or in your webserver config.'); - $web_server_restart=true; + $errors[] = array( + 'error'=>'PHP Safe Mode is enabled. ownCloud requires that it is disabled to work properly.', + 'hint'=>'PHP Safe Mode is a deprecated and mostly useless setting that should be disabled. ' + .'Please ask your server administrator to disable it in php.ini or in your webserver config.' + ); + $webServerRestart = true; } if (get_magic_quotes_gpc() == 1 ) { - $errors[]=array('error'=>'Magic Quotes is enabled. ownCloud requires that it is disabled to work properly.', - 'hint'=>'Magic Quotes is a deprecated and mostly useless setting that should be disabled. Please ask your server administrator to disable it in php.ini or in your webserver config.'); - $web_server_restart=true; + $errors[] = array( + 'error'=>'Magic Quotes is enabled. ownCloud requires that it is disabled to work properly.', + 'hint'=>'Magic Quotes is a deprecated and mostly useless setting that should be disabled. ' + .'Please ask your server administrator to disable it in php.ini or in your webserver config.' + ); + $webServerRestart = true; } - if($web_server_restart) { - $errors[]=array('error'=>'PHP modules have been installed, but they are still listed as missing?', - 'hint'=>'Please ask your server administrator to restart the web server.'); + if($webServerRestart) { + $errors[] = array( + 'error'=>'PHP modules have been installed, but they are still listed as missing?', + 'hint'=>'Please ask your server administrator to restart the web server.' + ); } // Cache the result of this function @@ -330,20 +388,25 @@ class OC_Util { } else { $permissionsModHint = 'Please change the permissions to 0770 so that the directory' .' cannot be listed by other users.'; - $prems = substr(decoct(@fileperms($dataDirectory)), -3); - if (substr($prems, -1) != '0') { + $perms = substr(decoct(@fileperms($dataDirectory)), -3); + if (substr($perms, -1) != '0') { OC_Helper::chmodr($dataDirectory, 0770); clearstatcache(); - $prems = substr(decoct(@fileperms($dataDirectory)), -3); - if (substr($prems, 2, 1) != '0') { - $errors[] = array('error' => 'Data directory ('.$dataDirectory.') is readable for other users', - 'hint' => $permissionsModHint); + $perms = substr(decoct(@fileperms($dataDirectory)), -3); + if (substr($perms, 2, 1) != '0') { + $errors[] = array( + 'error' => 'Data directory ('.$dataDirectory.') is readable for other users', + 'hint' => $permissionsModHint + ); } } } return $errors; } + /** + * @return void + */ public static function displayLoginPage($errors = array()) { $parameters = array(); foreach( $errors as $key => $value ) { @@ -357,8 +420,8 @@ class OC_Util { $parameters['user_autofocus'] = true; } if (isset($_REQUEST['redirect_url'])) { - $redirect_url = $_REQUEST['redirect_url']; - $parameters['redirect_url'] = urlencode($redirect_url); + $redirectUrl = $_REQUEST['redirect_url']; + $parameters['redirect_url'] = urlencode($redirectUrl); } $parameters['alt_login'] = OC_App::getAlternativeLogIns(); @@ -367,7 +430,8 @@ class OC_Util { /** - * Check if the app is enabled, redirects to home if not + * @brief Check if the app is enabled, redirects to home if not + * @return void */ public static function checkAppEnabled($app) { if( !OC_App::isEnabled($app)) { @@ -379,18 +443,21 @@ class OC_Util { /** * Check if the user is logged in, redirects to home if not. With * redirect URL parameter to the request URI. + * @return void */ public static function checkLoggedIn() { // Check if we are a user if( !OC_User::isLoggedIn()) { header( 'Location: '.OC_Helper::linkToAbsolute( '', 'index.php', - array('redirect_url' => OC_Request::requestUri()))); + array('redirectUrl' => OC_Request::requestUri()) + )); exit(); } } /** - * Check if the user is a admin, redirects to home if not + * @brief Check if the user is a admin, redirects to home if not + * @return void */ public static function checkAdminUser() { if( !OC_User::isAdminUser(OC_User::getUser())) { @@ -400,7 +467,7 @@ class OC_Util { } /** - * Check if the user is a subadmin, redirects to home if not + * @brief Check if the user is a subadmin, redirects to home if not * @return array $groups where the current user is subadmin */ public static function checkSubAdminUser() { @@ -412,7 +479,8 @@ class OC_Util { } /** - * Redirect to the user default page + * @brief Redirect to the user default page + * @return void */ public static function redirectToDefaultPage() { if(isset($_REQUEST['redirect_url'])) { @@ -420,13 +488,11 @@ class OC_Util { } else if (isset(OC::$REQUESTEDAPP) && !empty(OC::$REQUESTEDAPP)) { $location = OC_Helper::linkToAbsolute( OC::$REQUESTEDAPP, 'index.php' ); - } - else { - $defaultpage = OC_Appconfig::getValue('core', 'defaultpage'); - if ($defaultpage) { - $location = OC_Helper::makeURLAbsolute(OC::$WEBROOT.'/'.$defaultpage); - } - else { + } else { + $defaultPage = OC_Appconfig::getValue('core', 'defaultpage'); + if ($defaultPage) { + $location = OC_Helper::makeURLAbsolute(OC::$WEBROOT.'/'.$defaultPage); + } else { $location = OC_Helper::linkToAbsolute( 'files', 'index.php' ); } } @@ -435,19 +501,19 @@ class OC_Util { exit(); } - /** - * get an id unique for this instance - * @return string - */ - public static function getInstanceId() { - $id = OC_Config::getValue('instanceid', null); - if(is_null($id)) { - // We need to guarantee at least one letter in instanceid so it can be used as the session_name - $id = 'oc' . OC_Util::generate_random_bytes(10); - OC_Config::setValue('instanceid', $id); - } - return $id; - } + /** + * @brief get an id unique for this instance + * @return string + */ + public static function getInstanceId() { + $id = OC_Config::getValue('instanceid', null); + if(is_null($id)) { + // We need to guarantee at least one letter in instanceid so it can be used as the session_name + $id = 'oc' . self::generateRandomBytes(10); + OC_Config::setValue('instanceid', $id); + } + return $id; + } /** * @brief Static lifespan (in seconds) when a request token expires. @@ -476,7 +542,7 @@ class OC_Util { // Check if a token exists if(!\OC::$session->exists('requesttoken')) { // No valid token found, generate a new one. - $requestToken = self::generate_random_bytes(20); + $requestToken = self::generateRandomBytes(20); \OC::$session->set('requesttoken', $requestToken); } else { // Valid token already exists, send it @@ -497,11 +563,11 @@ class OC_Util { } if(isset($_GET['requesttoken'])) { - $token=$_GET['requesttoken']; + $token = $_GET['requesttoken']; } elseif(isset($_POST['requesttoken'])) { - $token=$_POST['requesttoken']; + $token = $_POST['requesttoken']; } elseif(isset($_SERVER['HTTP_REQUESTTOKEN'])) { - $token=$_SERVER['HTTP_REQUESTTOKEN']; + $token = $_SERVER['HTTP_REQUESTTOKEN']; } else { //no token found. return false; @@ -519,11 +585,12 @@ class OC_Util { /** * @brief Check an ajax get/post call if the request token is valid. exit if not. - * Todo: Write howto + * @todo Write howto + * @return void */ public static function callCheck() { if(!OC_Util::isCallRegistered()) { - exit; + exit(); } } @@ -562,12 +629,13 @@ class OC_Util { } /** - * Check if the htaccess file is working by creating a test file in the data directory and trying to access via http + * @brief Check if the htaccess file is working by creating a test file in the data directory and trying to access via http + * @return bool */ - public static function ishtaccessworking() { + public static function isHtaccessWorking() { // testdata - $filename='/htaccesstest.txt'; - $testcontent='testcontent'; + $filename = '/htaccesstest.txt'; + $testcontent = 'testcontent'; // creating a test file $testfile = OC_Config::getValue( "datadirectory", OC::$SERVERROOT."/data" ).'/'.$filename; @@ -591,19 +659,20 @@ class OC_Util { // does it work ? if($content==$testcontent) { - return(false); - }else{ - return(true); + return false; + } else { + return true; } } /** - * we test if webDAV is working properly - * + * @brief test if webDAV is working properly + * @return bool + * @description * The basic assumption is that if the server returns 401/Not Authenticated for an unauthenticated PROPFIND * the web server it self is setup properly. * - * Why not an authenticated PROFIND and other verbs? + * Why not an authenticated PROPFIND and other verbs? * - We don't have the password available * - We have no idea about other auth methods implemented (e.g. OAuth with Bearer header) * @@ -617,7 +686,7 @@ class OC_Util { ); // save the old timeout so that we can restore it later - $old_timeout=ini_get("default_socket_timeout"); + $oldTimeout = ini_get("default_socket_timeout"); // use a 5 sec timeout for the check. Should be enough for local requests. ini_set("default_socket_timeout", 5); @@ -631,15 +700,15 @@ class OC_Util { try { // test PROPFIND $client->propfind('', array('{DAV:}resourcetype')); - } catch(\Sabre_DAV_Exception_NotAuthenticated $e) { + } catch (\Sabre_DAV_Exception_NotAuthenticated $e) { $return = true; - } catch(\Exception $e) { + } catch (\Exception $e) { OC_Log::write('core', 'isWebDAVWorking: NO - Reason: '.$e->getMessage(). ' ('.get_class($e).')', OC_Log::WARN); $return = false; } // restore the original timeout - ini_set("default_socket_timeout", $old_timeout); + ini_set("default_socket_timeout", $oldTimeout); return $return; } @@ -647,8 +716,9 @@ class OC_Util { /** * Check if the setlocal call doesn't work. This can happen if the right * local packages are not available on the server. + * @return bool */ - public static function issetlocaleworking() { + public static function isSetlocaleWorking() { // setlocale test is pointless on Windows if (OC_Util::runningOnWindows() ) { return true; @@ -662,7 +732,7 @@ class OC_Util { } /** - * Check if the PHP module fileinfo is loaded. + * @brief Check if the PHP module fileinfo is loaded. * @return bool */ public static function fileInfoLoaded() { @@ -670,7 +740,8 @@ class OC_Util { } /** - * Check if the ownCloud server can connect to the internet + * @brief Check if the ownCloud server can connect to the internet + * @return bool */ public static function isInternetConnectionWorking() { // in case there is no internet connection on purpose return false @@ -683,30 +754,29 @@ class OC_Util { if ($connected) { fclose($connected); return true; - }else{ - + } else { // second try in case one server is down $connected = @fsockopen("apps.owncloud.com", 80); if ($connected) { fclose($connected); return true; - }else{ + } else { return false; } - } - } /** - * Check if the connection to the internet is disabled on purpose + * @brief Check if the connection to the internet is disabled on purpose + * @return bool */ public static function isInternetConnectionEnabled(){ return \OC_Config::getValue("has_internet_connection", true); } /** - * clear all levels of output buffering + * @brief clear all levels of output buffering + * @return void */ public static function obEnd(){ while (ob_get_level()) { @@ -719,44 +789,44 @@ class OC_Util { * @brief Generates a cryptographical secure pseudorandom string * @param Int with the length of the random string * @return String - * Please also update secureRNG_available if you change something here + * Please also update secureRNGAvailable if you change something here */ - public static function generate_random_bytes($length = 30) { - + public static function generateRandomBytes($length = 30) { // Try to use openssl_random_pseudo_bytes - if(function_exists('openssl_random_pseudo_bytes')) { - $pseudo_byte = bin2hex(openssl_random_pseudo_bytes($length, $strong)); + if (function_exists('openssl_random_pseudo_bytes')) { + $pseudoByte = bin2hex(openssl_random_pseudo_bytes($length, $strong)); if($strong == true) { - return substr($pseudo_byte, 0, $length); // Truncate it to match the length + return substr($pseudoByte, 0, $length); // Truncate it to match the length } } // Try to use /dev/urandom - $fp = @file_get_contents('/dev/urandom', false, null, 0, $length); - if ($fp !== false) { - $string = substr(bin2hex($fp), 0, $length); - return $string; + if (!self::runningOnWindows()) { + $fp = @file_get_contents('/dev/urandom', false, null, 0, $length); + if ($fp !== false) { + $string = substr(bin2hex($fp), 0, $length); + return $string; + } } // Fallback to mt_rand() $characters = '0123456789'; $characters .= 'abcdefghijklmnopqrstuvwxyz'; $charactersLength = strlen($characters)-1; - $pseudo_byte = ""; + $pseudoByte = ""; // Select some random characters for ($i = 0; $i < $length; $i++) { - $pseudo_byte .= $characters[mt_rand(0, $charactersLength)]; + $pseudoByte .= $characters[mt_rand(0, $charactersLength)]; } - return $pseudo_byte; + return $pseudoByte; } /** * @brief Checks if a secure random number generator is available * @return bool */ - public static function secureRNG_available() { - + public static function secureRNGAvailable() { // Check openssl_random_pseudo_bytes if(function_exists('openssl_random_pseudo_bytes')) { openssl_random_pseudo_bytes(1, $strong); @@ -766,9 +836,11 @@ class OC_Util { } // Check /dev/urandom - $fp = @file_get_contents('/dev/urandom', false, null, 0, 1); - if ($fp !== false) { - return true; + if (!self::runningOnWindows()) { + $fp = @file_get_contents('/dev/urandom', false, null, 0, 1); + if ($fp !== false) { + return true; + } } return false; @@ -781,11 +853,8 @@ class OC_Util { * This function get the content of a page via curl, if curl is enabled. * If not, file_get_element is used. */ - public static function getUrlContent($url){ - - if (function_exists('curl_init')) { - + if (function_exists('curl_init')) { $curl = curl_init(); curl_setopt($curl, CURLOPT_HEADER, 0); @@ -796,10 +865,10 @@ class OC_Util { curl_setopt($curl, CURLOPT_MAXREDIRS, 10); curl_setopt($curl, CURLOPT_USERAGENT, "ownCloud Server Crawler"); - if(OC_Config::getValue('proxy', '')<>'') { + if(OC_Config::getValue('proxy', '') != '') { curl_setopt($curl, CURLOPT_PROXY, OC_Config::getValue('proxy')); } - if(OC_Config::getValue('proxyuserpwd', '')<>'') { + if(OC_Config::getValue('proxyuserpwd', '') != '') { curl_setopt($curl, CURLOPT_PROXYUSERPWD, OC_Config::getValue('proxyuserpwd')); } $data = curl_exec($curl); @@ -808,7 +877,7 @@ class OC_Util { } else { $contextArray = null; - if(OC_Config::getValue('proxy', '')<>'') { + if(OC_Config::getValue('proxy', '') != '') { $contextArray = array( 'http' => array( 'timeout' => 10, @@ -823,11 +892,10 @@ class OC_Util { ); } - $ctx = stream_context_create( $contextArray ); - $data=@file_get_contents($url, 0, $ctx); + $data = @file_get_contents($url, 0, $ctx); } return $data; @@ -840,7 +908,6 @@ class OC_Util { return (substr(PHP_OS, 0, 3) === "WIN"); } - /** * Handles the case that there may not be a theme, then check if a "default" * theme exists and take that one @@ -850,20 +917,19 @@ class OC_Util { $theme = OC_Config::getValue("theme", ''); if($theme === '') { - if(is_dir(OC::$SERVERROOT . '/themes/default')) { $theme = 'default'; } - } return $theme; } /** - * Clear the opcode cache if one exists + * @brief Clear the opcode cache if one exists * This is necessary for writing to the config file * in case the opcode cache doesn't revalidate files + * @return void */ public static function clearOpcodeCache() { // APC @@ -902,8 +968,10 @@ class OC_Util { return $value; } - public static function basename($file) - { + /** + * @return string + */ + public static function basename($file) { $file = rtrim($file, '/'); $t = explode('/', $file); return array_pop($t); diff --git a/settings/admin.php b/settings/admin.php index 10e239204f2..d721593eb77 100755 --- a/settings/admin.php +++ b/settings/admin.php @@ -15,7 +15,7 @@ OC_App::setActiveNavigationEntry( "admin" ); $tmpl = new OC_Template( 'settings', 'admin', 'user'); $forms=OC_App::getForms('admin'); -$htaccessworking=OC_Util::ishtaccessworking(); +$htaccessworking=OC_Util::isHtaccessWorking(); $entries=OC_Log_Owncloud::getEntries(3); $entriesremain=(count(OC_Log_Owncloud::getEntries(4)) > 3)?true:false; @@ -25,7 +25,7 @@ $tmpl->assign('entries', $entries); $tmpl->assign('entriesremain', $entriesremain); $tmpl->assign('htaccessworking', $htaccessworking); $tmpl->assign('internetconnectionworking', OC_Util::isInternetConnectionEnabled() ? OC_Util::isInternetConnectionWorking() : false); -$tmpl->assign('islocaleworking', OC_Util::issetlocaleworking()); +$tmpl->assign('islocaleworking', OC_Util::isSetlocaleWorking()); $tmpl->assign('isWebDavWorking', OC_Util::isWebDAVWorking()); $tmpl->assign('has_fileinfo', OC_Util::fileInfoLoaded()); $tmpl->assign('backgroundjobs_mode', OC_Appconfig::getValue('core', 'backgroundjobs_mode', 'ajax')); diff --git a/tests/lib/db.php b/tests/lib/db.php index 51edbf7b309..1977025cf12 100644 --- a/tests/lib/db.php +++ b/tests/lib/db.php @@ -15,7 +15,7 @@ class Test_DB extends PHPUnit_Framework_TestCase { public function setUp() { $dbfile = OC::$SERVERROOT.'/tests/data/db_structure.xml'; - $r = '_'.OC_Util::generate_random_bytes('4').'_'; + $r = '_'.OC_Util::generateRandomBytes('4').'_'; $content = file_get_contents( $dbfile ); $content = str_replace( '*dbprefix*', '*dbprefix*'.$r, $content ); file_put_contents( self::$schema_file, $content ); diff --git a/tests/lib/dbschema.php b/tests/lib/dbschema.php index c2e55eabf4b..7de90c047ca 100644 --- a/tests/lib/dbschema.php +++ b/tests/lib/dbschema.php @@ -16,7 +16,7 @@ class Test_DBSchema extends PHPUnit_Framework_TestCase { $dbfile = OC::$SERVERROOT.'/tests/data/db_structure.xml'; $dbfile2 = OC::$SERVERROOT.'/tests/data/db_structure2.xml'; - $r = '_'.OC_Util::generate_random_bytes('4').'_'; + $r = '_'.OC_Util::generateRandomBytes('4').'_'; $content = file_get_contents( $dbfile ); $content = str_replace( '*dbprefix*', '*dbprefix*'.$r, $content ); file_put_contents( $this->schema_file, $content ); diff --git a/tests/lib/util.php b/tests/lib/util.php index 13aa49c8c6f..d607a3e7725 100644 --- a/tests/lib/util.php +++ b/tests/lib/util.php @@ -71,8 +71,8 @@ class Test_Util extends PHPUnit_Framework_TestCase { $this->assertTrue(\OC_Util::isInternetConnectionEnabled()); } - function testGenerate_random_bytes() { - $result = strlen(OC_Util::generate_random_bytes(59)); + function testGenerateRandomBytes() { + $result = strlen(OC_Util::generateRandomBytes(59)); $this->assertEquals(59, $result); } -- GitLab From 5fb7aab7a07d05a7d05c7f0dbb5dacf33d401383 Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Thu, 15 Aug 2013 13:05:26 +0200 Subject: [PATCH 247/415] remove jPlayer css rules from core css file --- core/css/styles.css | 7 +++---- core/js/js.js | 2 -- 2 files changed, 3 insertions(+), 6 deletions(-) diff --git a/core/css/styles.css b/core/css/styles.css index cf58a3b5f3f..1b58899eef6 100644 --- a/core/css/styles.css +++ b/core/css/styles.css @@ -45,7 +45,7 @@ body { background:#fefefe; font:normal .8em/1.6em "Helvetica Neue",Helvetica,Ari input[type="text"], input[type="password"], input[type="search"], input[type="number"], input[type="email"], input[type="url"], textarea, select, button, .button, -#quota, div.jp-progress, .pager li a { +#quota, .pager li a { width:10em; margin:.3em; padding:.6em .5em .4em; font-size:1em; background:#fff; color:#333; border:1px solid #ddd; outline:none; @@ -85,7 +85,7 @@ input[type="checkbox"]:hover+label, input[type="checkbox"]:focus+label { color:# /* BUTTONS */ input[type="submit"], input[type="button"], button, .button, -#quota, div.jp-progress, select, .pager li a { +#quota, select, .pager li a { width:auto; padding:.4em; background-color:rgba(240,240,240,.9); font-weight:bold; color:#555; text-shadow:rgba(255,255,255,.9) 0 1px 0; border:1px solid rgba(190,190,190,.9); cursor:pointer; -moz-box-shadow:0 1px 1px rgba(255,255,255,.9), 0 1px 1px rgba(255,255,255,.9) inset; -webkit-box-shadow:0 1px 1px rgba(255,255,255,.9), 0 1px 1px rgba(255,255,255,.9) inset; box-shadow:0 1px 1px rgba(255,255,255,.9), 0 1px 1px rgba(255,255,255,.9) inset; @@ -545,7 +545,7 @@ tbody tr:hover, tr:active { background-color:#f8f8f8; } .personalblock > legend, th, dt, label { font-weight:bold; } code { font-family:"Lucida Console", "Lucida Sans Typewriter", "DejaVu Sans Mono", monospace; } -#quota div, div.jp-play-bar, div.jp-seek-bar { +#quota div { padding: 0; background-color: rgb(220,220,220); font-weight: normal; @@ -553,7 +553,6 @@ code { font-family:"Lucida Console", "Lucida Sans Typewriter", "DejaVu Sans Mono -moz-border-radius-bottomleft: .4em; -webkit-border-bottom-left-radius: .4em; border-bottom-left-radius:.4em; -moz-border-radius-topleft: .4em; -webkit-border-top-left-radius: .4em; border-top-left-radius: .4em; } #quotatext {padding:.6em 1em;} -div.jp-play-bar, div.jp-seek-bar { padding:0; } .pager { list-style:none; float:right; display:inline; margin:.7em 13em 0 0; } .pager li { display:inline-block; } diff --git a/core/js/js.js b/core/js/js.js index 4dfe4d0e5ee..60a29342f26 100644 --- a/core/js/js.js +++ b/core/js/js.js @@ -758,8 +758,6 @@ $(document).ready(function(){ }); // all the tipsy stuff needs to be here (in reverse order) to work - $('.jp-controls .jp-previous').tipsy({gravity:'nw', fade:true, live:true}); - $('.jp-controls .jp-next').tipsy({gravity:'n', fade:true, live:true}); $('.displayName .action').tipsy({gravity:'se', fade:true, live:true}); $('.password .action').tipsy({gravity:'se', fade:true, live:true}); $('#upload').tipsy({gravity:'w', fade:true}); -- GitLab From 42fc2295e4be7551846e342f9bd3f1909ff435a1 Mon Sep 17 00:00:00 2001 From: Arthur Schiwon Date: Thu, 15 Aug 2013 16:10:49 +0200 Subject: [PATCH 248/415] LDAP: Update Host in configuration chooser on Save --- apps/user_ldap/js/settings.js | 7 +++++++ 1 file changed, 7 insertions(+) diff --git a/apps/user_ldap/js/settings.js b/apps/user_ldap/js/settings.js index 52d5dbc48d9..b86aac6da67 100644 --- a/apps/user_ldap/js/settings.js +++ b/apps/user_ldap/js/settings.js @@ -176,6 +176,13 @@ $(document).ready(function() { $('#ldap_submit').effect('highlight', {'color':'#A8FA87'}, 5000, function() { $('#ldap_submit').css('background', bgcolor); }); + //update the Label in the config chooser + caption = $('#ldap_serverconfig_chooser option:selected:first').text(); + pretext = '. Server: '; + caption = caption.slice(0, caption.indexOf(pretext) + pretext.length); + caption = caption + $('#ldap_host').val(); + $('#ldap_serverconfig_chooser option:selected:first').text(caption); + } else { $('#ldap_submit').css('background', '#fff'); $('#ldap_submit').effect('highlight', {'color':'#E97'}, 5000, function() { -- GitLab From 4574c5cf5cbb9efc4f787b264842573540f88439 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Thu, 15 Aug 2013 16:13:01 +0200 Subject: [PATCH 249/415] check if ->resource is a resource --- lib/image.php | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/lib/image.php b/lib/image.php index 53ffb24d18c..840b744ad72 100644 --- a/lib/image.php +++ b/lib/image.php @@ -496,8 +496,10 @@ class OC_Image { return false; } $this->resource = @imagecreatefromstring($str); - imagealphablending($this->resource, false); - imagesavealpha($this->resource, true); + if(is_resource($this->resource)) { + imagealphablending($this->resource, false); + imagesavealpha($this->resource, true); + } if(!$this->resource) { OC_Log::write('core', 'OC_Image->loadFromData, couldn\'t load', OC_Log::DEBUG); -- GitLab From 61370a765581851664bbe1924e2d0e2e86083326 Mon Sep 17 00:00:00 2001 From: Jan-Christoph Borchardt Date: Thu, 15 Aug 2013 18:58:23 +0200 Subject: [PATCH 250/415] add folder icons for shared, public and external --- core/img/filetypes/folder-external.png | Bin 0 -> 1012 bytes core/img/filetypes/folder-external.svg | 68 +++++++++++++++++++++++++ core/img/filetypes/folder-public.png | Bin 0 -> 1397 bytes core/img/filetypes/folder-public.svg | 68 +++++++++++++++++++++++++ core/img/filetypes/folder-shared.png | Bin 0 -> 1229 bytes core/img/filetypes/folder-shared.svg | 68 +++++++++++++++++++++++++ 6 files changed, 204 insertions(+) create mode 100644 core/img/filetypes/folder-external.png create mode 100644 core/img/filetypes/folder-external.svg create mode 100644 core/img/filetypes/folder-public.png create mode 100644 core/img/filetypes/folder-public.svg create mode 100644 core/img/filetypes/folder-shared.png create mode 100644 core/img/filetypes/folder-shared.svg diff --git a/core/img/filetypes/folder-external.png b/core/img/filetypes/folder-external.png new file mode 100644 index 0000000000000000000000000000000000000000..997f07b2bacc1ae5bb09b5addb1539254fffb6c6 GIT binary patch literal 1012 zcmV5FZC7Idh8lO>34#dXMv#`;hGL~9Rw;@fP_+dsQWV=JHYTrm@4h=TXXdy_@;;Kh zn-3DZ=~>O0bI&oJPV+zc<)P{DwWED&+c{Rol(^*T>wB;M81wOuIL?OL_}6qspTZgvZ2 z(+Zn?IT`~R0zqQ41>nUO)(eoW8Q{{nQ(QXt`I7y&-}|5^fCRzEkhcINgr@a@G=W$` zaPq_B{CVxymcHx7*LZ3F>pXDZ7A}mP==#=&<>MsA5WOH?Ix65LcV5UUu@vCuA6Izy z{f}FEt?9Ylu+*(b>GtzI&XdF#f)j%HHh{CfS$JVfR6^_xV2t6~WW8(ehx4boJbs2O z?H*v)qXKCH&I^T)?G|`fG_4OLp&UT9yR<)EIL$9#jZsMxRN=W-4gqlS?8%-jhzeE$ z&K7Ne!r9!3Pzj2Z0niQ5S4qjz1OARzeun4w9cHSr{E@DJ6T#)pHo)widTyPtHTEWlr7gI1$MWdz zk=7dE>cug34DIU~1Hd|=$ZH)Hs7*GU2tFu2^u7(}0J`lrYekoyrAcWFNO0cMn4W30 z0H!AY&b<#vSX%|w^Nm4q5}3LDR~x|9>)wj@UbW&&X5it+2KnsRky3!coljC0!z7CJ z66({_wgmtL=fz6UN*Vp$H;(Y?n~Ps@-7;GU*QfHH_QWX8`vM4^0I{&%dWi#G+WlLM z^4mmx(as7N$1-N4O5t1q#7+RCwi&nerNG+W1napyZxuyk{+D0@Apd#%)Y+@woqq^b zv-XfZ;9yBCV@wq9{{eECf07wvw)Xe;-!CEqthEFy%VLO-Wm&z^XiTfBZ4Dtnnx?&` iXTz!jpsES;6Y?LpcNV5;-lI1F0000 + + + + image/svg+xml + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/core/img/filetypes/folder-public.png b/core/img/filetypes/folder-public.png new file mode 100644 index 0000000000000000000000000000000000000000..c716607e26e3c2cf8f82dd754e820d475cb99f70 GIT binary patch literal 1397 zcmV-*1&aEKP)!=lzgp|+)kcG~I8+_~TG z1H-h?sf;M$g_C@_>-m4bd(OG%`-JzN>uJGto&5&D4FDi9@+T)fK1u-0U9j-+O`BeBPK4n#o&2Ibx@KMT=FOYCfeQfAnp|6N2IH^X7POKa zKJX3QXHL@Haf&dJWZJBoX=uEK#j745nHqORjZ_HQxfqI#$QoZz%3z#F+p$M`TPq*G zy_rNP@Kz!7S!8~QDU<7|si|S-)(>cJYyC$J<2+IstZ@Y>7NIsemf8Rb##)`b+W%zx z`)~5pa~o+|xR_b98@XrMN`wgbWXpTJ@Y-7}S+SZ=w{F2$PeapfWp#uAV-4Ebs1yNX zZ9!^_v6Q8b3NgF3ZDIL+4={7yBF=R8(AnL?!F}J+(bYpuO%1ztZl`BR^5_#!a%BJ4 zM1{C~1T08xFxnJK09u}WZ(mwcw5m5;3_6Dz7GPGZ60<>UtYIk0O7xm=b^ z-&wSCq@`oUgOAX1Xz!SMN*S!t!zoZw7h-J~=RDSp&Ou*i`-Nk{;XS0&X?AaYhg`a! zFbME~)rweKf*@c>Inv!7C_7p!3_xi^tX(u*11c^^Z3%37fODN^@E*EOpW@G7zURz| zBRClm2vMq;b7#BAXS0m2u4T&XTZpnd&}9Ie2Wc!y#=`)yl94ioWU)#|7mmOKovp_h z=xWEwsC4h5)zsFJs;VvK+TfiV6F_N8tmH6&jH5^yOUji8m_B%K1u1Ht5J z(;4XNz2u#IK1WY?CsB5gx~Vg%s;ftr(ei*Y1{D>C0kT86NGiklVjsBN>Ko?LcD#i| zD3~*EA!|0g$f=`0vG0rR3=Q-FV2tLAcV9;c!Hl`{nK%EAvRVLA8R952{2R*5xx6x_ z7(O>@G%Z?1ZT(cdhg`luYj2hbjd$|&OK))R!;j-Vcn{-~A>$GOYN(&4MXSncY3os1 zlOGt&mjL?DbwyfR%oyD(Ed{Hecm@!h?KnyMvBUJ|6s_kYbh5exaG@Xt53PTev=n3X z0gp14!M?xpr4*=KPD`V;_C8rIZ{P`Q8(91NE9}|!A%E=u947+KxBt%BIxJfsKKqY$uhg1%!bg2;qz_hAl z1-{S|$FAs70*H=&_t{s!{kXRQ??pu_6_|%nT0#hCv_20+P~4IUA;wo#RZTR;R8v_9 z{*7G@VH1f&E}zd2c<*JY2m!({j4BlQPv*T3C|1bd+^2RL;@irX00000NkvXXu0mjf D`X`G_ literal 0 HcmV?d00001 diff --git a/core/img/filetypes/folder-public.svg b/core/img/filetypes/folder-public.svg new file mode 100644 index 00000000000..a949833f95a --- /dev/null +++ b/core/img/filetypes/folder-public.svg @@ -0,0 +1,68 @@ + + + + + image/svg+xml + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/core/img/filetypes/folder-shared.png b/core/img/filetypes/folder-shared.png new file mode 100644 index 0000000000000000000000000000000000000000..e547a242062eb9687929fb640e99d33468e85500 GIT binary patch literal 1229 zcmV;;1Ty=HP)AfjSy#9#`Pk5I6sP$=!tnR)m7x@c!Q zL#H1SkPRof$=r9}IrlgJcka1Igb=u&7Twp~9{@Z60Fv5?5Mm?Hx*gYaz}B9fZ?5R<{OE<}H}yE@?kPYV$Nb)V;_%qb zYx@r!`0kqoV9ojsZ|vRsaZeJ*_jL1$y}ol-&%S;8t^kt&%Gu)iYXxlhf678O2IIYi zsT^=Nq*_~ioZ-J*jyJDg<@k|<4D|Q0y6YKU?AcDol4W!H2m!%4ob_oHz*r-du|P5> zz{t>Lh6c{@YS1yr_CpXi@af~xGH#ehXT79RbH4jOGnWL6OLg2K;Su+iwl}V+s z7fL=hr_YnRV4c=0Srt{Gt^aU>Wxe}=&?KV@zAR@QZIBTh060Ro_{MVHfQfQehh zveK3&KPgeIsd5oLF-j($EK(s%CQ>dD1gj82RG+!h7$=V$;B4>DYPuk1x81P z%EmaXo2fvqwVmC2zrbtBjjMwkKlD9=7y9S;${-LpS(*`RaxI{(WBkTH(*U|yG}36J zz0YV@e}=V#zTsQMk)Ww%1)`~i!2I>vT8*}iZq|U*#udlLbQJ(VrAldSGRodoL~63S z3~cIoo6aY?xOC$xr)bXGn>$y8RR6@Va> z)JhrD4C?xSJM1FbJ2$eq>p8MXOcDv=NZ_VUkTQ-!*)Tkz8y7VnlcrJuz7{|@nffJ* zVxYb!m`&_d8B*1_cg!WQJU{z=a8=2w%oTvbsbdF!>hC?eGK72E6bK=_)A9yTgsGNn rY9Rsg+%Cc0HwR3F5NsX5{jz@n19huHG^0YB00000NkvXXu0mjfD!?-g literal 0 HcmV?d00001 diff --git a/core/img/filetypes/folder-shared.svg b/core/img/filetypes/folder-shared.svg new file mode 100644 index 00000000000..56aa9634d27 --- /dev/null +++ b/core/img/filetypes/folder-shared.svg @@ -0,0 +1,68 @@ + + + + + image/svg+xml + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + -- GitLab From e7c06935702dc794f7178cdc47ce947404752ec0 Mon Sep 17 00:00:00 2001 From: Jan-Christoph Borchardt Date: Thu, 15 Aug 2013 19:40:39 +0200 Subject: [PATCH 251/415] checkstyle double quotes in HTML --- apps/files/templates/part.list.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/apps/files/templates/part.list.php b/apps/files/templates/part.list.php index bd1fe341f8d..1ed8e0cf91b 100644 --- a/apps/files/templates/part.list.php +++ b/apps/files/templates/part.list.php @@ -23,8 +23,8 @@ $totalsize = 0; ?> data-file="" data-type="" data-mime="" - data-size='' - data-permissions=''> + data-size="" + data-permissions=""> -- GitLab From b632b8f4e41f12d62fd4abdefa63fc9f9accd432 Mon Sep 17 00:00:00 2001 From: Jan-Christoph Borchardt Date: Fri, 16 Aug 2013 00:02:11 +0200 Subject: [PATCH 252/415] force show loading icon also for IE --- core/css/styles.css | 2 ++ 1 file changed, 2 insertions(+) diff --git a/core/css/styles.css b/core/css/styles.css index 3af1a311585..3b2ffad1e41 100644 --- a/core/css/styles.css +++ b/core/css/styles.css @@ -673,6 +673,8 @@ div.crumb:active { background-image: url('../img/loading.gif'); background-size: 16px; /* force show the loading icon, not only on hover */ + -ms-filter:"progid:DXImageTransform.Microsoft.Alpha(Opacity=100)"; + filter:alpha(opacity=100); opacity: 1 !important; display: inline !important; } -- GitLab From 57f7ff2dbdbef977483c0078048181ea1b7630f2 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Fri, 16 Aug 2013 00:31:27 +0200 Subject: [PATCH 253/415] communicate size of newly created file back and update UI --- apps/files/ajax/newfile.php | 2 + apps/files/js/file-upload.js | 622 ++++++++++++++++++----------------- apps/files/js/files.js | 2 + 3 files changed, 316 insertions(+), 310 deletions(-) diff --git a/apps/files/ajax/newfile.php b/apps/files/ajax/newfile.php index 8f5b1d98c3e..d224e79d01b 100644 --- a/apps/files/ajax/newfile.php +++ b/apps/files/ajax/newfile.php @@ -93,9 +93,11 @@ if($source) { $meta = \OC\Files\Filesystem::getFileInfo($target); $id = $meta['fileid']; $mime = $meta['mimetype']; + $size = $meta['size']; OCP\JSON::success(array('data' => array( 'id' => $id, 'mime' => $mime, + 'size' => $size, 'content' => $content, ))); exit(); diff --git a/apps/files/js/file-upload.js b/apps/files/js/file-upload.js index 942a07dfccc..0eddd7e9cd7 100644 --- a/apps/files/js/file-upload.js +++ b/apps/files/js/file-upload.js @@ -1,343 +1,345 @@ $(document).ready(function() { - file_upload_param = { - dropZone: $('#content'), // restrict dropZone to content div - //singleFileUploads is on by default, so the data.files array will always have length 1 - add: function(e, data) { + file_upload_param = { + dropZone: $('#content'), // restrict dropZone to content div + //singleFileUploads is on by default, so the data.files array will always have length 1 + add: function(e, data) { - if(data.files[0].type === '' && data.files[0].size == 4096) - { - data.textStatus = 'dirorzero'; - data.errorThrown = t('files','Unable to upload your file as it is a directory or has 0 bytes'); - var fu = $(this).data('blueimp-fileupload') || $(this).data('fileupload'); - fu._trigger('fail', e, data); - return true; //don't upload this file but go on with next in queue - } + if(data.files[0].type === '' && data.files[0].size == 4096) + { + data.textStatus = 'dirorzero'; + data.errorThrown = t('files','Unable to upload your file as it is a directory or has 0 bytes'); + var fu = $(this).data('blueimp-fileupload') || $(this).data('fileupload'); + fu._trigger('fail', e, data); + return true; //don't upload this file but go on with next in queue + } - var totalSize=0; - $.each(data.originalFiles, function(i,file){ - totalSize+=file.size; - }); + var totalSize=0; + $.each(data.originalFiles, function(i,file){ + totalSize+=file.size; + }); - if(totalSize>$('#max_upload').val()){ - data.textStatus = 'notenoughspace'; - data.errorThrown = t('files','Not enough space available'); - var fu = $(this).data('blueimp-fileupload') || $(this).data('fileupload'); - fu._trigger('fail', e, data); - return false; //don't upload anything - } + if(totalSize>$('#max_upload').val()){ + data.textStatus = 'notenoughspace'; + data.errorThrown = t('files','Not enough space available'); + var fu = $(this).data('blueimp-fileupload') || $(this).data('fileupload'); + fu._trigger('fail', e, data); + return false; //don't upload anything + } - // start the actual file upload - var jqXHR = data.submit(); + // start the actual file upload + var jqXHR = data.submit(); - // remember jqXHR to show warning to user when he navigates away but an upload is still in progress - if (typeof data.context !== 'undefined' && data.context.data('type') === 'dir') { - var dirName = data.context.data('file'); - if(typeof uploadingFiles[dirName] === 'undefined') { - uploadingFiles[dirName] = {}; - } - uploadingFiles[dirName][data.files[0].name] = jqXHR; - } else { - uploadingFiles[data.files[0].name] = jqXHR; - } + // remember jqXHR to show warning to user when he navigates away but an upload is still in progress + if (typeof data.context !== 'undefined' && data.context.data('type') === 'dir') { + var dirName = data.context.data('file'); + if(typeof uploadingFiles[dirName] === 'undefined') { + uploadingFiles[dirName] = {}; + } + uploadingFiles[dirName][data.files[0].name] = jqXHR; + } else { + uploadingFiles[data.files[0].name] = jqXHR; + } - //show cancel button - if($('html.lte9').length === 0 && data.dataType !== 'iframe') { - $('#uploadprogresswrapper input.stop').show(); - } - }, - /** - * called after the first add, does NOT have the data param - * @param e - */ - start: function(e) { - //IE < 10 does not fire the necessary events for the progress bar. - if($('html.lte9').length > 0) { - return; - } - $('#uploadprogressbar').progressbar({value:0}); - $('#uploadprogressbar').fadeIn(); - }, - fail: function(e, data) { - if (typeof data.textStatus !== 'undefined' && data.textStatus !== 'success' ) { - if (data.textStatus === 'abort') { - $('#notification').text(t('files', 'Upload cancelled.')); - } else { - // HTTP connection problem - $('#notification').text(data.errorThrown); - } - $('#notification').fadeIn(); - //hide notification after 5 sec - setTimeout(function() { - $('#notification').fadeOut(); - }, 5000); - } - delete uploadingFiles[data.files[0].name]; - }, - progress: function(e, data) { - // TODO: show nice progress bar in file row - }, - progressall: function(e, data) { - //IE < 10 does not fire the necessary events for the progress bar. - if($('html.lte9').length > 0) { - return; - } - var progress = (data.loaded/data.total)*100; - $('#uploadprogressbar').progressbar('value',progress); - }, - /** - * called for every successful upload - * @param e - * @param data - */ - done:function(e, data) { - // handle different responses (json or body from iframe for ie) - var response; - if (typeof data.result === 'string') { - response = data.result; - } else { - //fetch response from iframe - response = data.result[0].body.innerText; - } - var result=$.parseJSON(response); + //show cancel button + if($('html.lte9').length === 0 && data.dataType !== 'iframe') { + $('#uploadprogresswrapper input.stop').show(); + } + }, + /** + * called after the first add, does NOT have the data param + * @param e + */ + start: function(e) { + //IE < 10 does not fire the necessary events for the progress bar. + if($('html.lte9').length > 0) { + return; + } + $('#uploadprogressbar').progressbar({value:0}); + $('#uploadprogressbar').fadeIn(); + }, + fail: function(e, data) { + if (typeof data.textStatus !== 'undefined' && data.textStatus !== 'success' ) { + if (data.textStatus === 'abort') { + $('#notification').text(t('files', 'Upload cancelled.')); + } else { + // HTTP connection problem + $('#notification').text(data.errorThrown); + } + $('#notification').fadeIn(); + //hide notification after 5 sec + setTimeout(function() { + $('#notification').fadeOut(); + }, 5000); + } + delete uploadingFiles[data.files[0].name]; + }, + progress: function(e, data) { + // TODO: show nice progress bar in file row + }, + progressall: function(e, data) { + //IE < 10 does not fire the necessary events for the progress bar. + if($('html.lte9').length > 0) { + return; + } + var progress = (data.loaded/data.total)*100; + $('#uploadprogressbar').progressbar('value',progress); + }, + /** + * called for every successful upload + * @param e + * @param data + */ + done:function(e, data) { + // handle different responses (json or body from iframe for ie) + var response; + if (typeof data.result === 'string') { + response = data.result; + } else { + //fetch response from iframe + response = data.result[0].body.innerText; + } + var result=$.parseJSON(response); - if(typeof result[0] !== 'undefined' && result[0].status === 'success') { - var file = result[0]; - } else { - data.textStatus = 'servererror'; - data.errorThrown = t('files', result.data.message); - var fu = $(this).data('blueimp-fileupload') || $(this).data('fileupload'); - fu._trigger('fail', e, data); - } + if(typeof result[0] !== 'undefined' && result[0].status === 'success') { + var file = result[0]; + } else { + data.textStatus = 'servererror'; + data.errorThrown = t('files', result.data.message); + var fu = $(this).data('blueimp-fileupload') || $(this).data('fileupload'); + fu._trigger('fail', e, data); + } - var filename = result[0].originalname; + var filename = result[0].originalname; - // delete jqXHR reference - if (typeof data.context !== 'undefined' && data.context.data('type') === 'dir') { - var dirName = data.context.data('file'); - delete uploadingFiles[dirName][filename]; - if ($.assocArraySize(uploadingFiles[dirName]) == 0) { - delete uploadingFiles[dirName]; - } - } else { - delete uploadingFiles[filename]; - } + // delete jqXHR reference + if (typeof data.context !== 'undefined' && data.context.data('type') === 'dir') { + var dirName = data.context.data('file'); + delete uploadingFiles[dirName][filename]; + if ($.assocArraySize(uploadingFiles[dirName]) == 0) { + delete uploadingFiles[dirName]; + } + } else { + delete uploadingFiles[filename]; + } - }, - /** - * called after last upload - * @param e - * @param data - */ - stop: function(e, data) { - if(data.dataType !== 'iframe') { - $('#uploadprogresswrapper input.stop').hide(); - } + }, + /** + * called after last upload + * @param e + * @param data + */ + stop: function(e, data) { + if(data.dataType !== 'iframe') { + $('#uploadprogresswrapper input.stop').hide(); + } - //IE < 10 does not fire the necessary events for the progress bar. - if($('html.lte9').length > 0) { - return; - } + //IE < 10 does not fire the necessary events for the progress bar. + if($('html.lte9').length > 0) { + return; + } - $('#uploadprogressbar').progressbar('value',100); - $('#uploadprogressbar').fadeOut(); + $('#uploadprogressbar').progressbar('value',100); + $('#uploadprogressbar').fadeOut(); + } } - } - var file_upload_handler = function() { - $('#file_upload_start').fileupload(file_upload_param); - }; + var file_upload_handler = function() { + $('#file_upload_start').fileupload(file_upload_param); + }; - if ( document.getElementById('data-upload-form') ) { - $(file_upload_handler); - } - $.assocArraySize = function(obj) { - // http://stackoverflow.com/a/6700/11236 - var size = 0, key; - for (key in obj) { - if (obj.hasOwnProperty(key)) size++; + if ( document.getElementById('data-upload-form') ) { + $(file_upload_handler); } - return size; - }; - - // warn user not to leave the page while upload is in progress - $(window).bind('beforeunload', function(e) { - if ($.assocArraySize(uploadingFiles) > 0) - return t('files','File upload is in progress. Leaving the page now will cancel the upload.'); - }); + $.assocArraySize = function(obj) { + // http://stackoverflow.com/a/6700/11236 + var size = 0, key; + for (key in obj) { + if (obj.hasOwnProperty(key)) size++; + } + return size; + }; - //add multiply file upload attribute to all browsers except konqueror (which crashes when it's used) - if(navigator.userAgent.search(/konqueror/i)==-1){ - $('#file_upload_start').attr('multiple','multiple') - } + // warn user not to leave the page while upload is in progress + $(window).bind('beforeunload', function(e) { + if ($.assocArraySize(uploadingFiles) > 0) + return t('files','File upload is in progress. Leaving the page now will cancel the upload.'); + }); - //if the breadcrumb is to long, start by replacing foldernames with '...' except for the current folder - var crumb=$('div.crumb').first(); - while($('div.controls').height()>40 && crumb.next('div.crumb').length>0){ - crumb.children('a').text('...'); - crumb=crumb.next('div.crumb'); - } - //if that isn't enough, start removing items from the breacrumb except for the current folder and it's parent - var crumb=$('div.crumb').first(); - var next=crumb.next('div.crumb'); - while($('div.controls').height()>40 && next.next('div.crumb').length>0){ - crumb.remove(); - crumb=next; - next=crumb.next('div.crumb'); - } - //still not enough, start shorting down the current folder name - var crumb=$('div.crumb>a').last(); - while($('div.controls').height()>40 && crumb.text().length>6){ - var text=crumb.text() - text=text.substr(0,text.length-6)+'...'; - crumb.text(text); - } + //add multiply file upload attribute to all browsers except konqueror (which crashes when it's used) + if(navigator.userAgent.search(/konqueror/i)==-1){ + $('#file_upload_start').attr('multiple','multiple') + } - $(document).click(function(){ - $('#new>ul').hide(); - $('#new').removeClass('active'); - $('#new li').each(function(i,element){ - if($(element).children('p').length==0){ - $(element).children('form').remove(); - $(element).append('

    '+$(element).data('text')+'

    '); - } - }); - }); - $('#new li').click(function(){ - if($(this).children('p').length==0){ - return; + //if the breadcrumb is to long, start by replacing foldernames with '...' except for the current folder + var crumb=$('div.crumb').first(); + while($('div.controls').height()>40 && crumb.next('div.crumb').length>0){ + crumb.children('a').text('...'); + crumb=crumb.next('div.crumb'); + } + //if that isn't enough, start removing items from the breacrumb except for the current folder and it's parent + var crumb=$('div.crumb').first(); + var next=crumb.next('div.crumb'); + while($('div.controls').height()>40 && next.next('div.crumb').length>0){ + crumb.remove(); + crumb=next; + next=crumb.next('div.crumb'); + } + //still not enough, start shorting down the current folder name + var crumb=$('div.crumb>a').last(); + while($('div.controls').height()>40 && crumb.text().length>6){ + var text=crumb.text() + text=text.substr(0,text.length-6)+'...'; + crumb.text(text); } - $('#new li').each(function(i,element){ - if($(element).children('p').length==0){ - $(element).children('form').remove(); - $(element).append('

    '+$(element).data('text')+'

    '); - } + $(document).click(function(){ + $('#new>ul').hide(); + $('#new').removeClass('active'); + $('#new li').each(function(i,element){ + if($(element).children('p').length==0){ + $(element).children('form').remove(); + $(element).append('

    '+$(element).data('text')+'

    '); + } + }); }); + $('#new li').click(function(){ + if($(this).children('p').length==0){ + return; + } - var type=$(this).data('type'); - var text=$(this).children('p').text(); - $(this).data('text',text); - $(this).children('p').remove(); - var form=$(''); - var input=$(''); - form.append(input); - $(this).append(form); - input.focus(); - form.submit(function(event){ - event.stopPropagation(); - event.preventDefault(); - var newname=input.val(); - if(type == 'web' && newname.length == 0) { - OC.Notification.show(t('files', 'URL cannot be empty.')); - return false; - } else if (type != 'web' && !Files.isFileNameValid(newname)) { - return false; - } else if( type == 'folder' && $('#dir').val() == '/' && newname == 'Shared') { - OC.Notification.show(t('files','Invalid folder name. Usage of \'Shared\' is reserved by ownCloud')); - return false; - } - if (FileList.lastAction) { - FileList.lastAction(); - } - var name = getUniqueName(newname); - if (newname != name) { - FileList.checkName(name, newname, true); - var hidden = true; - } else { - var hidden = false; - } - switch(type){ - case 'file': - $.post( - OC.filePath('files','ajax','newfile.php'), - {dir:$('#dir').val(),filename:name}, - function(result){ - if (result.status == 'success') { - var date=new Date(); - FileList.addFile(name,0,date,false,hidden); - var tr=$('tr').filterAttr('data-file',name); - tr.attr('data-mime',result.data.mime); - tr.attr('data-id', result.data.id); - getMimeIcon(result.data.mime,function(path){ - tr.find('td.filename').attr('style','background-image:url('+path+')'); - }); - } else { - OC.dialogs.alert(result.data.message, t('core', 'Error')); + $('#new li').each(function(i,element){ + if($(element).children('p').length==0){ + $(element).children('form').remove(); + $(element).append('

    '+$(element).data('text')+'

    '); + } + }); + + var type=$(this).data('type'); + var text=$(this).children('p').text(); + $(this).data('text',text); + $(this).children('p').remove(); + var form=$('
    '); + var input=$(''); + form.append(input); + $(this).append(form); + input.focus(); + form.submit(function(event){ + event.stopPropagation(); + event.preventDefault(); + var newname=input.val(); + if(type == 'web' && newname.length == 0) { + OC.Notification.show(t('files', 'URL cannot be empty.')); + return false; + } else if (type != 'web' && !Files.isFileNameValid(newname)) { + return false; + } else if( type == 'folder' && $('#dir').val() == '/' && newname == 'Shared') { + OC.Notification.show(t('files','Invalid folder name. Usage of \'Shared\' is reserved by ownCloud')); + return false; + } + if (FileList.lastAction) { + FileList.lastAction(); } - } - ); - break; - case 'folder': - $.post( - OC.filePath('files','ajax','newfolder.php'), - {dir:$('#dir').val(),foldername:name}, - function(result){ - if (result.status == 'success') { - var date=new Date(); - FileList.addDir(name,0,date,hidden); - var tr=$('tr').filterAttr('data-file',name); - tr.attr('data-id', result.data.id); + var name = getUniqueName(newname); + if (newname != name) { + FileList.checkName(name, newname, true); + var hidden = true; } else { - OC.dialogs.alert(result.data.message, t('core', 'Error')); + var hidden = false; } - } - ); - break; - case 'web': - if(name.substr(0,8)!='https://' && name.substr(0,7)!='http://'){ - name='http://'+name; - } - var localName=name; - if(localName.substr(localName.length-1,1)=='/'){//strip / - localName=localName.substr(0,localName.length-1) - } - if(localName.indexOf('/')){//use last part of url - localName=localName.split('/').pop(); - } else { //or the domain - localName=(localName.match(/:\/\/(.[^\/]+)/)[1]).replace('www.',''); - } - localName = getUniqueName(localName); - //IE < 10 does not fire the necessary events for the progress bar. - if($('html.lte9').length > 0) { - } else { - $('#uploadprogressbar').progressbar({value:0}); - $('#uploadprogressbar').fadeIn(); - } + switch(type){ + case 'file': + $.post( + OC.filePath('files','ajax','newfile.php'), + {dir:$('#dir').val(),filename:name}, + function(result){ + if (result.status == 'success') { + var date=new Date(); + FileList.addFile(name,0,date,false,hidden); + var tr=$('tr').filterAttr('data-file',name); + tr.attr('data-size',result.data.size); + tr.attr('data-mime',result.data.mime); + tr.attr('data-id', result.data.id); + tr.find('.filesize').text(humanFileSize(result.data.size)); + getMimeIcon(result.data.mime,function(path){ + tr.find('td.filename').attr('style','background-image:url('+path+')'); + }); + } else { + OC.dialogs.alert(result.data.message, t('core', 'Error')); + } + } + ); + break; + case 'folder': + $.post( + OC.filePath('files','ajax','newfolder.php'), + {dir:$('#dir').val(),foldername:name}, + function(result){ + if (result.status == 'success') { + var date=new Date(); + FileList.addDir(name,0,date,hidden); + var tr=$('tr').filterAttr('data-file',name); + tr.attr('data-id', result.data.id); + } else { + OC.dialogs.alert(result.data.message, t('core', 'Error')); + } + } + ); + break; + case 'web': + if(name.substr(0,8)!='https://' && name.substr(0,7)!='http://'){ + name='http://'+name; + } + var localName=name; + if(localName.substr(localName.length-1,1)=='/'){//strip / + localName=localName.substr(0,localName.length-1) + } + if(localName.indexOf('/')){//use last part of url + localName=localName.split('/').pop(); + } else { //or the domain + localName=(localName.match(/:\/\/(.[^\/]+)/)[1]).replace('www.',''); + } + localName = getUniqueName(localName); + //IE < 10 does not fire the necessary events for the progress bar. + if($('html.lte9').length > 0) { + } else { + $('#uploadprogressbar').progressbar({value:0}); + $('#uploadprogressbar').fadeIn(); + } - var eventSource=new OC.EventSource(OC.filePath('files','ajax','newfile.php'),{dir:$('#dir').val(),source:name,filename:localName}); - eventSource.listen('progress',function(progress){ - //IE < 10 does not fire the necessary events for the progress bar. - if($('html.lte9').length > 0) { - } else { - $('#uploadprogressbar').progressbar('value',progress); - } - }); - eventSource.listen('success',function(data){ - var mime=data.mime; - var size=data.size; - var id=data.id; - $('#uploadprogressbar').fadeOut(); - var date=new Date(); - FileList.addFile(localName,size,date,false,hidden); - var tr=$('tr').filterAttr('data-file',localName); - tr.data('mime',mime).data('id',id); - tr.attr('data-id', id); - getMimeIcon(mime,function(path){ - tr.find('td.filename').attr('style','background-image:url('+path+')'); - }); - }); - eventSource.listen('error',function(error){ - $('#uploadprogressbar').fadeOut(); - alert(error); + var eventSource=new OC.EventSource(OC.filePath('files','ajax','newfile.php'),{dir:$('#dir').val(),source:name,filename:localName}); + eventSource.listen('progress',function(progress){ + //IE < 10 does not fire the necessary events for the progress bar. + if($('html.lte9').length > 0) { + } else { + $('#uploadprogressbar').progressbar('value',progress); + } + }); + eventSource.listen('success',function(data){ + var mime=data.mime; + var size=data.size; + var id=data.id; + $('#uploadprogressbar').fadeOut(); + var date=new Date(); + FileList.addFile(localName,size,date,false,hidden); + var tr=$('tr').filterAttr('data-file',localName); + tr.data('mime',mime).data('id',id); + tr.attr('data-id', id); + getMimeIcon(mime,function(path){ + tr.find('td.filename').attr('style','background-image:url('+path+')'); + }); + }); + eventSource.listen('error',function(error){ + $('#uploadprogressbar').fadeOut(); + alert(error); + }); + break; + } + var li=form.parent(); + form.remove(); + li.append('

    '+li.data('text')+'

    '); + $('#new>a').click(); }); - break; - } - var li=form.parent(); - form.remove(); - li.append('

    '+li.data('text')+'

    '); - $('#new>a').click(); }); - }); }); diff --git a/apps/files/js/files.js b/apps/files/js/files.js index 53fc25f41b0..e1c53184dd1 100644 --- a/apps/files/js/files.js +++ b/apps/files/js/files.js @@ -365,7 +365,9 @@ $(document).ready(function() { FileList.addFile(name,0,date,false,hidden); var tr=$('tr').filterAttr('data-file',name); tr.attr('data-mime',result.data.mime); + tr.attr('data-size',result.data.size); tr.attr('data-id', result.data.id); + tr.find('.filesize').text(humanFileSize(result.data.size)); getMimeIcon(result.data.mime,function(path){ tr.find('td.filename').attr('style','background-image:url('+path+')'); }); -- GitLab From 0aa7dc9b893ffa5ac8a1f3a3959ad3de2ce6178c Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Fri, 16 Aug 2013 00:56:09 +0200 Subject: [PATCH 254/415] tixing width and position of wider error messages --- core/css/styles.css | 5 +++++ core/templates/error.php | 2 +- 2 files changed, 6 insertions(+), 1 deletion(-) diff --git a/core/css/styles.css b/core/css/styles.css index 48ef026fba8..7369f8d5251 100644 --- a/core/css/styles.css +++ b/core/css/styles.css @@ -385,6 +385,11 @@ label.infield { cursor:text !important; top:1.05em; left:.85em; } white-space: pre-wrap; text-align: left; } + +.error-wide { + width: 800px; +} + /* Fixes for log in page, TODO should be removed some time */ #body-login .update, #body-login .error { diff --git a/core/templates/error.php b/core/templates/error.php index ac91357b350..e8b7a49264f 100644 --- a/core/templates/error.php +++ b/core/templates/error.php @@ -1,4 +1,4 @@ -
      +

      • -- GitLab From 6bd0ba79df64d68c100d57819fa43b35d9a22049 Mon Sep 17 00:00:00 2001 From: Jenkins for ownCloud Date: Fri, 16 Aug 2013 01:32:30 -0400 Subject: [PATCH 255/415] [tx-robot] updated from transifex --- apps/files/l10n/ar.php | 3 +- apps/files/l10n/bg_BG.php | 2 +- apps/files/l10n/bn_BD.php | 2 +- apps/files/l10n/ca.php | 3 +- apps/files/l10n/cs_CZ.php | 3 +- apps/files/l10n/cy_GB.php | 3 +- apps/files/l10n/da.php | 9 ++-- apps/files/l10n/de.php | 9 ++-- apps/files/l10n/de_DE.php | 9 ++-- apps/files/l10n/el.php | 3 +- apps/files/l10n/eo.php | 3 +- apps/files/l10n/es.php | 3 +- apps/files/l10n/es_AR.php | 3 +- apps/files/l10n/et_EE.php | 3 +- apps/files/l10n/eu.php | 3 +- apps/files/l10n/fa.php | 3 +- apps/files/l10n/fi_FI.php | 9 ++-- apps/files/l10n/fr.php | 3 +- apps/files/l10n/gl.php | 9 ++-- apps/files/l10n/he.php | 3 +- apps/files/l10n/hr.php | 2 +- apps/files/l10n/hu_HU.php | 3 +- apps/files/l10n/hy.php | 4 +- apps/files/l10n/ia.php | 2 +- apps/files/l10n/id.php | 3 +- apps/files/l10n/is.php | 2 +- apps/files/l10n/it.php | 3 +- apps/files/l10n/ja_JP.php | 7 ++- apps/files/l10n/ka_GE.php | 3 +- apps/files/l10n/ko.php | 3 +- apps/files/l10n/lb.php | 2 +- apps/files/l10n/lt_LT.php | 3 +- apps/files/l10n/lv.php | 3 +- apps/files/l10n/mk.php | 2 +- apps/files/l10n/ms_MY.php | 2 +- apps/files/l10n/nb_NO.php | 3 +- apps/files/l10n/nl.php | 3 +- apps/files/l10n/nn_NO.php | 3 +- apps/files/l10n/oc.php | 2 +- apps/files/l10n/pl.php | 3 +- apps/files/l10n/pt_BR.php | 3 +- apps/files/l10n/pt_PT.php | 3 +- apps/files/l10n/ro.php | 3 +- apps/files/l10n/ru.php | 3 +- apps/files/l10n/si_LK.php | 2 +- apps/files/l10n/sk_SK.php | 3 +- apps/files/l10n/sl.php | 3 +- apps/files/l10n/sq.php | 3 +- apps/files/l10n/sr.php | 3 +- apps/files/l10n/sr@latin.php | 2 +- apps/files/l10n/sv.php | 3 +- apps/files/l10n/ta_LK.php | 2 +- apps/files/l10n/te.php | 4 +- apps/files/l10n/th_TH.php | 3 +- apps/files/l10n/tr.php | 9 ++-- apps/files/l10n/ug.php | 2 +- apps/files/l10n/uk.php | 3 +- apps/files/l10n/vi.php | 3 +- apps/files/l10n/zh_CN.GB2312.php | 9 ++-- apps/files/l10n/zh_CN.php | 3 +- apps/files/l10n/zh_HK.php | 4 +- apps/files/l10n/zh_TW.php | 3 +- apps/files_encryption/l10n/cs_CZ.php | 2 +- apps/files_sharing/l10n/zh_CN.GB2312.php | 7 +++ apps/files_trashbin/l10n/da.php | 4 +- apps/files_trashbin/l10n/de.php | 4 +- apps/files_trashbin/l10n/de_DE.php | 4 +- apps/files_trashbin/l10n/fi_FI.php | 4 +- apps/files_trashbin/l10n/gl.php | 4 +- apps/files_trashbin/l10n/ja_JP.php | 4 +- apps/files_trashbin/l10n/tr.php | 5 ++- apps/files_trashbin/l10n/zh_CN.GB2312.php | 8 ++-- apps/files_versions/l10n/cs_CZ.php | 4 +- apps/files_versions/l10n/zh_CN.GB2312.php | 6 ++- core/l10n/da.php | 9 ++-- core/l10n/de.php | 9 ++-- core/l10n/de_DE.php | 9 ++-- core/l10n/es.php | 2 +- core/l10n/fi_FI.php | 8 ++-- core/l10n/gl.php | 9 ++-- core/l10n/pt_BR.php | 1 + core/l10n/tr.php | 14 +++--- core/l10n/zh_CN.GB2312.php | 10 +++-- l10n/af_ZA/files.po | 24 +++++----- l10n/ar/files.po | 24 +++++----- l10n/be/files.po | 24 +++++----- l10n/bg_BG/files.po | 24 +++++----- l10n/bn_BD/files.po | 24 +++++----- l10n/bs/files.po | 24 +++++----- l10n/ca/files.po | 24 +++++----- l10n/cs_CZ/core.po | 28 ++++++------ l10n/cs_CZ/files.po | 24 +++++----- l10n/cs_CZ/files_encryption.po | 8 ++-- l10n/cs_CZ/files_trashbin.po | 6 +-- l10n/cs_CZ/files_versions.po | 11 ++--- l10n/cy_GB/files.po | 24 +++++----- l10n/da/core.po | 46 +++++++++---------- l10n/da/files.po | 37 +++++++-------- l10n/da/files_trashbin.po | 15 ++++--- l10n/da/lib.po | 23 +++++----- l10n/de/core.po | 44 +++++++++--------- l10n/de/files.po | 37 +++++++-------- l10n/de/files_trashbin.po | 8 ++-- l10n/de/lib.po | 12 ++--- l10n/de_AT/files.po | 24 +++++----- l10n/de_CH/files.po | 24 +++++----- l10n/de_DE/core.po | 45 ++++++++++--------- l10n/de_DE/files.po | 38 +++++++--------- l10n/de_DE/files_trashbin.po | 15 ++++--- l10n/de_DE/lib.po | 23 +++++----- l10n/el/files.po | 24 +++++----- l10n/en@pirate/files.po | 24 +++++----- l10n/eo/files.po | 24 +++++----- l10n/es/core.po | 29 ++++++------ l10n/es/files.po | 24 +++++----- l10n/es_AR/files.po | 24 +++++----- l10n/et_EE/files.po | 24 +++++----- l10n/eu/files.po | 24 +++++----- l10n/fa/files.po | 24 +++++----- l10n/fi_FI/core.po | 44 +++++++++--------- l10n/fi_FI/files.po | 36 +++++++-------- l10n/fi_FI/files_trashbin.po | 14 +++--- l10n/fi_FI/lib.po | 24 +++++----- l10n/fr/files.po | 24 +++++----- l10n/gl/core.po | 46 +++++++++---------- l10n/gl/files.po | 36 +++++++-------- l10n/gl/files_trashbin.po | 14 +++--- l10n/gl/lib.po | 20 ++++----- l10n/he/files.po | 24 +++++----- l10n/hi/files.po | 24 +++++----- l10n/hr/files.po | 24 +++++----- l10n/hu_HU/files.po | 24 +++++----- l10n/hy/files.po | 24 +++++----- l10n/ia/files.po | 24 +++++----- l10n/id/files.po | 24 +++++----- l10n/is/files.po | 24 +++++----- l10n/it/files.po | 24 +++++----- l10n/ja_JP/files.po | 28 +++++------- l10n/ja_JP/files_trashbin.po | 11 ++--- l10n/ka/files.po | 24 +++++----- l10n/ka_GE/files.po | 24 +++++----- l10n/kn/files.po | 24 +++++----- l10n/ko/files.po | 24 +++++----- l10n/ku_IQ/files.po | 24 +++++----- l10n/lb/files.po | 24 +++++----- l10n/lt_LT/files.po | 24 +++++----- l10n/lv/files.po | 24 +++++----- l10n/mk/files.po | 24 +++++----- l10n/ml_IN/files.po | 24 +++++----- l10n/ms_MY/files.po | 24 +++++----- l10n/my_MM/files.po | 24 +++++----- l10n/nb_NO/files.po | 24 +++++----- l10n/ne/files.po | 24 +++++----- l10n/nl/files.po | 24 +++++----- l10n/nn_NO/files.po | 24 +++++----- l10n/oc/files.po | 24 +++++----- l10n/pl/files.po | 24 +++++----- l10n/pt_BR/core.po | 30 ++++++------- l10n/pt_BR/files.po | 24 +++++----- l10n/pt_PT/files.po | 24 +++++----- l10n/ro/files.po | 24 +++++----- l10n/ro/lib.po | 7 +-- l10n/ru/files.po | 24 +++++----- l10n/si_LK/files.po | 24 +++++----- l10n/sk/files.po | 24 +++++----- l10n/sk_SK/files.po | 24 +++++----- l10n/sl/files.po | 24 +++++----- l10n/sq/files.po | 24 +++++----- l10n/sr/files.po | 24 +++++----- l10n/sr@latin/files.po | 24 +++++----- l10n/sv/files.po | 24 +++++----- l10n/sw_KE/files.po | 24 +++++----- l10n/ta_LK/files.po | 24 +++++----- l10n/te/files.po | 24 +++++----- l10n/templates/core.pot | 24 +++++----- l10n/templates/files.pot | 22 ++++----- l10n/templates/files_encryption.pot | 2 +- l10n/templates/files_external.pot | 2 +- l10n/templates/files_sharing.pot | 2 +- l10n/templates/files_trashbin.pot | 2 +- l10n/templates/files_versions.pot | 2 +- l10n/templates/lib.pot | 2 +- l10n/templates/settings.pot | 2 +- l10n/templates/user_ldap.pot | 2 +- l10n/templates/user_webdavauth.pot | 2 +- l10n/th_TH/files.po | 24 +++++----- l10n/tr/core.po | 55 ++++++++++++----------- l10n/tr/files.po | 37 +++++++-------- l10n/tr/files_trashbin.po | 13 +++--- l10n/tr/lib.po | 23 +++++----- l10n/tr/settings.po | 25 ++++++----- l10n/ug/files.po | 24 +++++----- l10n/uk/files.po | 24 +++++----- l10n/ur_PK/files.po | 24 +++++----- l10n/vi/files.po | 24 +++++----- l10n/zh_CN.GB2312/core.po | 41 ++++++++--------- l10n/zh_CN.GB2312/files.po | 31 ++++++------- l10n/zh_CN.GB2312/files_sharing.po | 21 ++++----- l10n/zh_CN.GB2312/files_trashbin.po | 12 ++--- l10n/zh_CN.GB2312/files_versions.po | 15 ++++--- l10n/zh_CN.GB2312/lib.po | 12 ++--- l10n/zh_CN.GB2312/user_webdavauth.po | 11 ++--- l10n/zh_CN/files.po | 24 +++++----- l10n/zh_HK/files.po | 24 +++++----- l10n/zh_TW/files.po | 24 +++++----- lib/l10n/da.php | 8 ++-- lib/l10n/de.php | 8 ++-- lib/l10n/de_DE.php | 8 ++-- lib/l10n/fi_FI.php | 9 ++-- lib/l10n/gl.php | 8 ++-- lib/l10n/ro.php | 2 +- lib/l10n/tr.php | 12 +++-- lib/l10n/zh_CN.GB2312.php | 8 ++-- settings/l10n/tr.php | 9 ++++ 214 files changed, 1447 insertions(+), 1749 deletions(-) diff --git a/apps/files/l10n/ar.php b/apps/files/l10n/ar.php index a83420584c4..7161e49a968 100644 --- a/apps/files/l10n/ar.php +++ b/apps/files/l10n/ar.php @@ -20,7 +20,6 @@ $TRANSLATIONS = array( "Error" => "خطأ", "Share" => "شارك", "Delete permanently" => "حذف بشكل دائم", -"Delete" => "إلغاء", "Rename" => "إعادة تسميه", "Pending" => "قيد الانتظار", "{new_name} already exists" => "{new_name} موجود مسبقا", @@ -29,7 +28,6 @@ $TRANSLATIONS = array( "cancel" => "إلغاء", "replaced {new_name} with {old_name}" => "استبدل {new_name} بـ {old_name}", "undo" => "تراجع", -"perform delete operation" => "جاري تنفيذ عملية الحذف", "_Uploading %n file_::_Uploading %n files_" => array("","","","","",""), "'.' is an invalid file name." => "\".\" اسم ملف غير صحيح.", "File name cannot be empty." => "اسم الملف لا يجوز أن يكون فارغا", @@ -62,6 +60,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "لا يوجد شيء هنا. إرفع بعض الملفات!", "Download" => "تحميل", "Unshare" => "إلغاء مشاركة", +"Delete" => "إلغاء", "Upload too large" => "حجم الترفيع أعلى من المسموح", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "حجم الملفات التي تريد ترفيعها أعلى من المسموح على الخادم.", "Files are being scanned, please wait." => "يرجى الانتظار , جاري فحص الملفات .", diff --git a/apps/files/l10n/bg_BG.php b/apps/files/l10n/bg_BG.php index 551a85ef9f4..1e2104370ba 100644 --- a/apps/files/l10n/bg_BG.php +++ b/apps/files/l10n/bg_BG.php @@ -12,7 +12,6 @@ $TRANSLATIONS = array( "Error" => "Грешка", "Share" => "Споделяне", "Delete permanently" => "Изтриване завинаги", -"Delete" => "Изтриване", "Rename" => "Преименуване", "Pending" => "Чакащо", "replace" => "препокриване", @@ -34,6 +33,7 @@ $TRANSLATIONS = array( "Cancel upload" => "Спри качването", "Nothing in here. Upload something!" => "Няма нищо тук. Качете нещо.", "Download" => "Изтегляне", +"Delete" => "Изтриване", "Upload too large" => "Файлът който сте избрали за качване е прекалено голям", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Файловете които се опитвате да качите са по-големи от позволеното за сървъра.", "Files are being scanned, please wait." => "Файловете се претърсват, изчакайте.", diff --git a/apps/files/l10n/bn_BD.php b/apps/files/l10n/bn_BD.php index 655b6f22662..2f05a3eccf8 100644 --- a/apps/files/l10n/bn_BD.php +++ b/apps/files/l10n/bn_BD.php @@ -19,7 +19,6 @@ $TRANSLATIONS = array( "URL cannot be empty." => "URL ফাঁকা রাখা যাবে না।", "Error" => "সমস্যা", "Share" => "ভাগাভাগি কর", -"Delete" => "মুছে", "Rename" => "পূনঃনামকরণ", "Pending" => "মুলতুবি", "{new_name} already exists" => "{new_name} টি বিদ্যমান", @@ -55,6 +54,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "এখানে কিছুই নেই। কিছু আপলোড করুন !", "Download" => "ডাউনলোড", "Unshare" => "ভাগাভাগি বাতিল ", +"Delete" => "মুছে", "Upload too large" => "আপলোডের আকারটি অনেক বড়", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "আপনি এই সার্ভারে আপলোড করার জন্য অনুমোদিত ফাইলের সর্বোচ্চ আকারের চেয়ে বৃহদাকার ফাইল আপলোড করার চেষ্টা করছেন ", "Files are being scanned, please wait." => "ফাইলগুলো স্ক্যান করা হচ্ছে, দয়া করে অপেক্ষা করুন।", diff --git a/apps/files/l10n/ca.php b/apps/files/l10n/ca.php index 177790ab997..3ce9a417770 100644 --- a/apps/files/l10n/ca.php +++ b/apps/files/l10n/ca.php @@ -24,7 +24,6 @@ $TRANSLATIONS = array( "Error" => "Error", "Share" => "Comparteix", "Delete permanently" => "Esborra permanentment", -"Delete" => "Esborra", "Rename" => "Reanomena", "Pending" => "Pendent", "{new_name} already exists" => "{new_name} ja existeix", @@ -33,7 +32,6 @@ $TRANSLATIONS = array( "cancel" => "cancel·la", "replaced {new_name} with {old_name}" => "s'ha substituït {old_name} per {new_name}", "undo" => "desfés", -"perform delete operation" => "executa d'operació d'esborrar", "_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "fitxers pujant", "'.' is an invalid file name." => "'.' és un nom no vàlid per un fitxer.", @@ -68,6 +66,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Res per aquí. Pugeu alguna cosa!", "Download" => "Baixa", "Unshare" => "Deixa de compartir", +"Delete" => "Esborra", "Upload too large" => "La pujada és massa gran", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Els fitxers que esteu intentant pujar excedeixen la mida màxima de pujada del servidor", "Files are being scanned, please wait." => "S'estan escanejant els fitxers, espereu", diff --git a/apps/files/l10n/cs_CZ.php b/apps/files/l10n/cs_CZ.php index b88be983df3..2fe09db1f99 100644 --- a/apps/files/l10n/cs_CZ.php +++ b/apps/files/l10n/cs_CZ.php @@ -24,7 +24,6 @@ $TRANSLATIONS = array( "Error" => "Chyba", "Share" => "Sdílet", "Delete permanently" => "Trvale odstranit", -"Delete" => "Smazat", "Rename" => "Přejmenovat", "Pending" => "Nevyřízené", "{new_name} already exists" => "{new_name} již existuje", @@ -33,7 +32,6 @@ $TRANSLATIONS = array( "cancel" => "zrušit", "replaced {new_name} with {old_name}" => "nahrazeno {new_name} s {old_name}", "undo" => "vrátit zpět", -"perform delete operation" => "provést smazání", "_Uploading %n file_::_Uploading %n files_" => array("","",""), "files uploading" => "soubory se odesílají", "'.' is an invalid file name." => "'.' je neplatným názvem souboru.", @@ -68,6 +66,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Žádný obsah. Nahrajte něco.", "Download" => "Stáhnout", "Unshare" => "Zrušit sdílení", +"Delete" => "Smazat", "Upload too large" => "Odesílaný soubor je příliš velký", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Soubory, které se snažíte odeslat, překračují limit velikosti odesílání na tomto serveru.", "Files are being scanned, please wait." => "Soubory se prohledávají, prosím čekejte.", diff --git a/apps/files/l10n/cy_GB.php b/apps/files/l10n/cy_GB.php index ca8d3c52c0f..01c4613a8ce 100644 --- a/apps/files/l10n/cy_GB.php +++ b/apps/files/l10n/cy_GB.php @@ -21,7 +21,6 @@ $TRANSLATIONS = array( "Error" => "Gwall", "Share" => "Rhannu", "Delete permanently" => "Dileu'n barhaol", -"Delete" => "Dileu", "Rename" => "Ailenwi", "Pending" => "I ddod", "{new_name} already exists" => "{new_name} yn bodoli'n barod", @@ -30,7 +29,6 @@ $TRANSLATIONS = array( "cancel" => "diddymu", "replaced {new_name} with {old_name}" => "newidiwyd {new_name} yn lle {old_name}", "undo" => "dadwneud", -"perform delete operation" => "cyflawni gweithred dileu", "_Uploading %n file_::_Uploading %n files_" => array("","","",""), "files uploading" => "ffeiliau'n llwytho i fyny", "'.' is an invalid file name." => "Mae '.' yn enw ffeil annilys.", @@ -64,6 +62,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Does dim byd fan hyn. Llwythwch rhywbeth i fyny!", "Download" => "Llwytho i lawr", "Unshare" => "Dad-rannu", +"Delete" => "Dileu", "Upload too large" => "Maint llwytho i fyny'n rhy fawr", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Mae'r ffeiliau rydych yn ceisio llwytho i fyny'n fwy na maint mwyaf llwytho ffeiliau i fyny ar y gweinydd hwn.", "Files are being scanned, please wait." => "Arhoswch, mae ffeiliau'n cael eu sganio.", diff --git a/apps/files/l10n/da.php b/apps/files/l10n/da.php index 43dde685f31..0491eefb7f4 100644 --- a/apps/files/l10n/da.php +++ b/apps/files/l10n/da.php @@ -24,7 +24,6 @@ $TRANSLATIONS = array( "Error" => "Fejl", "Share" => "Del", "Delete permanently" => "Slet permanent", -"Delete" => "Slet", "Rename" => "Omdøb", "Pending" => "Afventer", "{new_name} already exists" => "{new_name} eksisterer allerede", @@ -33,8 +32,7 @@ $TRANSLATIONS = array( "cancel" => "fortryd", "replaced {new_name} with {old_name}" => "erstattede {new_name} med {old_name}", "undo" => "fortryd", -"perform delete operation" => "udfør slet operation", -"_Uploading %n file_::_Uploading %n files_" => array("",""), +"_Uploading %n file_::_Uploading %n files_" => array("Uploader %n fil","Uploader %n filer"), "files uploading" => "uploader filer", "'.' is an invalid file name." => "'.' er et ugyldigt filnavn.", "File name cannot be empty." => "Filnavnet kan ikke stå tomt.", @@ -46,8 +44,8 @@ $TRANSLATIONS = array( "Name" => "Navn", "Size" => "Størrelse", "Modified" => "Ændret", -"_%n folder_::_%n folders_" => array("",""), -"_%n file_::_%n files_" => array("",""), +"_%n folder_::_%n folders_" => array("%n mappe","%n mapper"), +"_%n file_::_%n files_" => array("%n fil","%n filer"), "%s could not be renamed" => "%s kunne ikke omdøbes", "Upload" => "Upload", "File handling" => "Filhåndtering", @@ -68,6 +66,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Her er tomt. Upload noget!", "Download" => "Download", "Unshare" => "Fjern deling", +"Delete" => "Slet", "Upload too large" => "Upload er for stor", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Filerne, du prøver at uploade, er større end den maksimale størrelse for fil-upload på denne server.", "Files are being scanned, please wait." => "Filerne bliver indlæst, vent venligst.", diff --git a/apps/files/l10n/de.php b/apps/files/l10n/de.php index debfac152a7..c6c76dbf464 100644 --- a/apps/files/l10n/de.php +++ b/apps/files/l10n/de.php @@ -24,7 +24,6 @@ $TRANSLATIONS = array( "Error" => "Fehler", "Share" => "Teilen", "Delete permanently" => "Endgültig löschen", -"Delete" => "Löschen", "Rename" => "Umbenennen", "Pending" => "Ausstehend", "{new_name} already exists" => "{new_name} existiert bereits", @@ -33,8 +32,7 @@ $TRANSLATIONS = array( "cancel" => "abbrechen", "replaced {new_name} with {old_name}" => "{old_name} ersetzt durch {new_name}", "undo" => "rückgängig machen", -"perform delete operation" => "Löschvorgang ausführen", -"_Uploading %n file_::_Uploading %n files_" => array("",""), +"_Uploading %n file_::_Uploading %n files_" => array("%n Datei wird hochgeladen","%n Dateien werden hochgeladen"), "files uploading" => "Dateien werden hoch geladen", "'.' is an invalid file name." => "'.' ist kein gültiger Dateiname.", "File name cannot be empty." => "Der Dateiname darf nicht leer sein.", @@ -46,8 +44,8 @@ $TRANSLATIONS = array( "Name" => "Name", "Size" => "Größe", "Modified" => "Geändert", -"_%n folder_::_%n folders_" => array("",""), -"_%n file_::_%n files_" => array("",""), +"_%n folder_::_%n folders_" => array("%n Ordner","%n Ordner"), +"_%n file_::_%n files_" => array("%n Datei","%n Dateien"), "%s could not be renamed" => "%s konnte nicht umbenannt werden", "Upload" => "Hochladen", "File handling" => "Dateibehandlung", @@ -68,6 +66,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Alles leer. Lade etwas hoch!", "Download" => "Herunterladen", "Unshare" => "Freigabe aufheben", +"Delete" => "Löschen", "Upload too large" => "Der Upload ist zu groß", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Die Datei überschreitet die Maximalgröße für Uploads auf diesem Server.", "Files are being scanned, please wait." => "Dateien werden gescannt, bitte warten.", diff --git a/apps/files/l10n/de_DE.php b/apps/files/l10n/de_DE.php index 8efb9642828..e4d622d6caa 100644 --- a/apps/files/l10n/de_DE.php +++ b/apps/files/l10n/de_DE.php @@ -24,7 +24,6 @@ $TRANSLATIONS = array( "Error" => "Fehler", "Share" => "Teilen", "Delete permanently" => "Endgültig löschen", -"Delete" => "Löschen", "Rename" => "Umbenennen", "Pending" => "Ausstehend", "{new_name} already exists" => "{new_name} existiert bereits", @@ -33,8 +32,7 @@ $TRANSLATIONS = array( "cancel" => "abbrechen", "replaced {new_name} with {old_name}" => "{old_name} wurde ersetzt durch {new_name}", "undo" => "rückgängig machen", -"perform delete operation" => "Löschvorgang ausführen", -"_Uploading %n file_::_Uploading %n files_" => array("Es werden %n Dateien hochgeladen","Es werden %n Dateien hochgeladen"), +"_Uploading %n file_::_Uploading %n files_" => array("%n Datei wird hoch geladen","%n Dateien werden hoch geladen"), "files uploading" => "Dateien werden hoch geladen", "'.' is an invalid file name." => "'.' ist kein gültiger Dateiname.", "File name cannot be empty." => "Der Dateiname darf nicht leer sein.", @@ -46,8 +44,8 @@ $TRANSLATIONS = array( "Name" => "Name", "Size" => "Größe", "Modified" => "Geändert", -"_%n folder_::_%n folders_" => array("",""), -"_%n file_::_%n files_" => array("",""), +"_%n folder_::_%n folders_" => array("%n Ordner","%n Ordner"), +"_%n file_::_%n files_" => array("%n Datei","%n Dateien"), "%s could not be renamed" => "%s konnte nicht umbenannt werden", "Upload" => "Hochladen", "File handling" => "Dateibehandlung", @@ -68,6 +66,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Alles leer. Laden Sie etwas hoch!", "Download" => "Herunterladen", "Unshare" => "Freigabe aufheben", +"Delete" => "Löschen", "Upload too large" => "Der Upload ist zu groß", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Die Datei überschreitet die Maximalgröße für Uploads auf diesem Server.", "Files are being scanned, please wait." => "Dateien werden gescannt, bitte warten.", diff --git a/apps/files/l10n/el.php b/apps/files/l10n/el.php index 9eaad889d10..e1d0052bc0b 100644 --- a/apps/files/l10n/el.php +++ b/apps/files/l10n/el.php @@ -24,7 +24,6 @@ $TRANSLATIONS = array( "Error" => "Σφάλμα", "Share" => "Διαμοιρασμός", "Delete permanently" => "Μόνιμη διαγραφή", -"Delete" => "Διαγραφή", "Rename" => "Μετονομασία", "Pending" => "Εκκρεμεί", "{new_name} already exists" => "{new_name} υπάρχει ήδη", @@ -33,7 +32,6 @@ $TRANSLATIONS = array( "cancel" => "ακύρωση", "replaced {new_name} with {old_name}" => "αντικαταστάθηκε το {new_name} με {old_name}", "undo" => "αναίρεση", -"perform delete operation" => "εκτέλεση της διαδικασίας διαγραφής", "_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "αρχεία ανεβαίνουν", "'.' is an invalid file name." => "'.' είναι μη έγκυρο όνομα αρχείου.", @@ -68,6 +66,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Δεν υπάρχει τίποτα εδώ. Ανεβάστε κάτι!", "Download" => "Λήψη", "Unshare" => "Σταμάτημα διαμοιρασμού", +"Delete" => "Διαγραφή", "Upload too large" => "Πολύ μεγάλο αρχείο προς αποστολή", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Τα αρχεία που προσπαθείτε να ανεβάσετε υπερβαίνουν το μέγιστο μέγεθος αποστολής αρχείων σε αυτόν τον διακομιστή.", "Files are being scanned, please wait." => "Τα αρχεία σαρώνονται, παρακαλώ περιμένετε.", diff --git a/apps/files/l10n/eo.php b/apps/files/l10n/eo.php index d6916a9a8db..0f404fa29fa 100644 --- a/apps/files/l10n/eo.php +++ b/apps/files/l10n/eo.php @@ -22,7 +22,6 @@ $TRANSLATIONS = array( "Error" => "Eraro", "Share" => "Kunhavigi", "Delete permanently" => "Forigi por ĉiam", -"Delete" => "Forigi", "Rename" => "Alinomigi", "Pending" => "Traktotaj", "{new_name} already exists" => "{new_name} jam ekzistas", @@ -31,7 +30,6 @@ $TRANSLATIONS = array( "cancel" => "nuligi", "replaced {new_name} with {old_name}" => "anstataŭiĝis {new_name} per {old_name}", "undo" => "malfari", -"perform delete operation" => "plenumi forigan operacion", "_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "dosieroj estas alŝutataj", "'.' is an invalid file name." => "'.' ne estas valida dosiernomo.", @@ -65,6 +63,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Nenio estas ĉi tie. Alŝutu ion!", "Download" => "Elŝuti", "Unshare" => "Malkunhavigi", +"Delete" => "Forigi", "Upload too large" => "Alŝuto tro larĝa", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "La dosieroj, kiujn vi provas alŝuti, transpasas la maksimuman grandon por dosieralŝutoj en ĉi tiu servilo.", "Files are being scanned, please wait." => "Dosieroj estas skanataj, bonvolu atendi.", diff --git a/apps/files/l10n/es.php b/apps/files/l10n/es.php index 36363661232..2672b169549 100644 --- a/apps/files/l10n/es.php +++ b/apps/files/l10n/es.php @@ -24,7 +24,6 @@ $TRANSLATIONS = array( "Error" => "Error", "Share" => "Compartir", "Delete permanently" => "Eliminar permanentemente", -"Delete" => "Eliminar", "Rename" => "Renombrar", "Pending" => "Pendiente", "{new_name} already exists" => "{new_name} ya existe", @@ -33,7 +32,6 @@ $TRANSLATIONS = array( "cancel" => "cancelar", "replaced {new_name} with {old_name}" => "reemplazado {new_name} con {old_name}", "undo" => "deshacer", -"perform delete operation" => "Realizar operación de borrado", "_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "subiendo archivos", "'.' is an invalid file name." => "'.' no es un nombre de archivo válido.", @@ -68,6 +66,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "No hay nada aquí. ¡Suba algo!", "Download" => "Descargar", "Unshare" => "Dejar de compartir", +"Delete" => "Eliminar", "Upload too large" => "Subida demasido grande", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Los archivos que estás intentando subir sobrepasan el tamaño máximo permitido en este servidor.", "Files are being scanned, please wait." => "Los archivos están siendo escaneados, por favor espere.", diff --git a/apps/files/l10n/es_AR.php b/apps/files/l10n/es_AR.php index 8c5decaeb10..5e94da3c437 100644 --- a/apps/files/l10n/es_AR.php +++ b/apps/files/l10n/es_AR.php @@ -24,7 +24,6 @@ $TRANSLATIONS = array( "Error" => "Error", "Share" => "Compartir", "Delete permanently" => "Borrar permanentemente", -"Delete" => "Borrar", "Rename" => "Cambiar nombre", "Pending" => "Pendientes", "{new_name} already exists" => "{new_name} ya existe", @@ -33,7 +32,6 @@ $TRANSLATIONS = array( "cancel" => "cancelar", "replaced {new_name} with {old_name}" => "se reemplazó {new_name} con {old_name}", "undo" => "deshacer", -"perform delete operation" => "Llevar a cabo borrado", "_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "Subiendo archivos", "'.' is an invalid file name." => "'.' es un nombre de archivo inválido.", @@ -68,6 +66,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "No hay nada. ¡Subí contenido!", "Download" => "Descargar", "Unshare" => "Dejar de compartir", +"Delete" => "Borrar", "Upload too large" => "El tamaño del archivo que querés subir es demasiado grande", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Los archivos que intentás subir sobrepasan el tamaño máximo ", "Files are being scanned, please wait." => "Se están escaneando los archivos, por favor esperá.", diff --git a/apps/files/l10n/et_EE.php b/apps/files/l10n/et_EE.php index 13dd4a78d34..468f72e9d7f 100644 --- a/apps/files/l10n/et_EE.php +++ b/apps/files/l10n/et_EE.php @@ -24,7 +24,6 @@ $TRANSLATIONS = array( "Error" => "Viga", "Share" => "Jaga", "Delete permanently" => "Kustuta jäädavalt", -"Delete" => "Kustuta", "Rename" => "Nimeta ümber", "Pending" => "Ootel", "{new_name} already exists" => "{new_name} on juba olemas", @@ -33,7 +32,6 @@ $TRANSLATIONS = array( "cancel" => "loobu", "replaced {new_name} with {old_name}" => "asendas nime {old_name} nimega {new_name}", "undo" => "tagasi", -"perform delete operation" => "teosta kustutamine", "_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "faili üleslaadimisel", "'.' is an invalid file name." => "'.' on vigane failinimi.", @@ -68,6 +66,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Siin pole midagi. Lae midagi üles!", "Download" => "Lae alla", "Unshare" => "Lõpeta jagamine", +"Delete" => "Kustuta", "Upload too large" => "Üleslaadimine on liiga suur", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Failid, mida sa proovid üles laadida, ületab serveri poolt üleslaetavatele failidele määratud maksimaalse suuruse.", "Files are being scanned, please wait." => "Faile skannitakse, palun oota.", diff --git a/apps/files/l10n/eu.php b/apps/files/l10n/eu.php index 02b2730ddcd..fe6e117a93b 100644 --- a/apps/files/l10n/eu.php +++ b/apps/files/l10n/eu.php @@ -24,7 +24,6 @@ $TRANSLATIONS = array( "Error" => "Errorea", "Share" => "Elkarbanatu", "Delete permanently" => "Ezabatu betirako", -"Delete" => "Ezabatu", "Rename" => "Berrizendatu", "Pending" => "Zain", "{new_name} already exists" => "{new_name} dagoeneko existitzen da", @@ -33,7 +32,6 @@ $TRANSLATIONS = array( "cancel" => "ezeztatu", "replaced {new_name} with {old_name}" => " {new_name}-k {old_name} ordezkatu du", "undo" => "desegin", -"perform delete operation" => "Ezabatu", "_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "fitxategiak igotzen", "'.' is an invalid file name." => "'.' ez da fitxategi izen baliogarria.", @@ -68,6 +66,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Ez dago ezer. Igo zerbait!", "Download" => "Deskargatu", "Unshare" => "Ez elkarbanatu", +"Delete" => "Ezabatu", "Upload too large" => "Igoera handiegia da", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Igotzen saiatzen ari zaren fitxategiak zerbitzari honek igotzeko onartzen duena baino handiagoak dira.", "Files are being scanned, please wait." => "Fitxategiak eskaneatzen ari da, itxoin mezedez.", diff --git a/apps/files/l10n/fa.php b/apps/files/l10n/fa.php index e749f7bf0e9..96332921cff 100644 --- a/apps/files/l10n/fa.php +++ b/apps/files/l10n/fa.php @@ -24,7 +24,6 @@ $TRANSLATIONS = array( "Error" => "خطا", "Share" => "اشتراک‌گذاری", "Delete permanently" => "حذف قطعی", -"Delete" => "حذف", "Rename" => "تغییرنام", "Pending" => "در انتظار", "{new_name} already exists" => "{نام _جدید} در حال حاضر وجود دارد.", @@ -33,7 +32,6 @@ $TRANSLATIONS = array( "cancel" => "لغو", "replaced {new_name} with {old_name}" => "{نام_جدید} با { نام_قدیمی} جایگزین شد.", "undo" => "بازگشت", -"perform delete operation" => "انجام عمل حذف", "_Uploading %n file_::_Uploading %n files_" => array(""), "files uploading" => "بارگذاری فایل ها", "'.' is an invalid file name." => "'.' یک نام پرونده نامعتبر است.", @@ -68,6 +66,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "اینجا هیچ چیز نیست.", "Download" => "دانلود", "Unshare" => "لغو اشتراک", +"Delete" => "حذف", "Upload too large" => "سایز فایل برای آپلود زیاد است(م.تنظیمات در php.ini)", "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." => "پرونده ها در حال بازرسی هستند لطفا صبر کنید", diff --git a/apps/files/l10n/fi_FI.php b/apps/files/l10n/fi_FI.php index cc20d8bb3ae..b48f44665bc 100644 --- a/apps/files/l10n/fi_FI.php +++ b/apps/files/l10n/fi_FI.php @@ -21,7 +21,6 @@ $TRANSLATIONS = array( "Error" => "Virhe", "Share" => "Jaa", "Delete permanently" => "Poista pysyvästi", -"Delete" => "Poista", "Rename" => "Nimeä uudelleen", "Pending" => "Odottaa", "{new_name} already exists" => "{new_name} on jo olemassa", @@ -29,8 +28,7 @@ $TRANSLATIONS = array( "suggest name" => "ehdota nimeä", "cancel" => "peru", "undo" => "kumoa", -"perform delete operation" => "suorita poistotoiminto", -"_Uploading %n file_::_Uploading %n files_" => array("",""), +"_Uploading %n file_::_Uploading %n files_" => array("Lähetetään %n tiedosto","Lähetetään %n tiedostoa"), "'.' is an invalid file name." => "'.' on virheellinen nimi tiedostolle.", "File name cannot be empty." => "Tiedoston nimi ei voi olla tyhjä.", "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Virheellinen nimi, merkit '\\', '/', '<', '>', ':', '\"', '|', '?' ja '*' eivät ole sallittuja.", @@ -40,8 +38,8 @@ $TRANSLATIONS = array( "Name" => "Nimi", "Size" => "Koko", "Modified" => "Muokattu", -"_%n folder_::_%n folders_" => array("",""), -"_%n file_::_%n files_" => array("",""), +"_%n folder_::_%n folders_" => array("%n kansio","%n kansiota"), +"_%n file_::_%n files_" => array("%n tiedosto","%n tiedostoa"), "Upload" => "Lähetä", "File handling" => "Tiedostonhallinta", "Maximum upload size" => "Lähetettävän tiedoston suurin sallittu koko", @@ -61,6 +59,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Täällä ei ole mitään. Lähetä tänne jotakin!", "Download" => "Lataa", "Unshare" => "Peru jakaminen", +"Delete" => "Poista", "Upload too large" => "Lähetettävä tiedosto on liian suuri", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Lähetettäväksi valitsemasi tiedostot ylittävät palvelimen salliman tiedostokoon rajan.", "Files are being scanned, please wait." => "Tiedostoja tarkistetaan, odota hetki.", diff --git a/apps/files/l10n/fr.php b/apps/files/l10n/fr.php index 1f6dff8ce99..60064134498 100644 --- a/apps/files/l10n/fr.php +++ b/apps/files/l10n/fr.php @@ -24,7 +24,6 @@ $TRANSLATIONS = array( "Error" => "Erreur", "Share" => "Partager", "Delete permanently" => "Supprimer de façon définitive", -"Delete" => "Supprimer", "Rename" => "Renommer", "Pending" => "En attente", "{new_name} already exists" => "{new_name} existe déjà", @@ -33,7 +32,6 @@ $TRANSLATIONS = array( "cancel" => "annuler", "replaced {new_name} with {old_name}" => "{new_name} a été remplacé par {old_name}", "undo" => "annuler", -"perform delete operation" => "effectuer l'opération de suppression", "_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "fichiers en cours d'envoi", "'.' is an invalid file name." => "'.' n'est pas un nom de fichier valide.", @@ -68,6 +66,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Il n'y a rien ici ! Envoyez donc quelque chose :)", "Download" => "Télécharger", "Unshare" => "Ne plus partager", +"Delete" => "Supprimer", "Upload too large" => "Téléversement trop volumineux", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Les fichiers que vous essayez d'envoyer dépassent la taille maximale permise par ce serveur.", "Files are being scanned, please wait." => "Les fichiers sont en cours d'analyse, veuillez patienter.", diff --git a/apps/files/l10n/gl.php b/apps/files/l10n/gl.php index 92c9a9d5c25..5c8132926bf 100644 --- a/apps/files/l10n/gl.php +++ b/apps/files/l10n/gl.php @@ -24,7 +24,6 @@ $TRANSLATIONS = array( "Error" => "Erro", "Share" => "Compartir", "Delete permanently" => "Eliminar permanentemente", -"Delete" => "Eliminar", "Rename" => "Renomear", "Pending" => "Pendentes", "{new_name} already exists" => "Xa existe un {new_name}", @@ -33,8 +32,7 @@ $TRANSLATIONS = array( "cancel" => "cancelar", "replaced {new_name} with {old_name}" => "substituír {new_name} por {old_name}", "undo" => "desfacer", -"perform delete operation" => "realizar a operación de eliminación", -"_Uploading %n file_::_Uploading %n files_" => array("",""), +"_Uploading %n file_::_Uploading %n files_" => array("Cargando %n ficheiro","Cargando %n ficheiros"), "files uploading" => "ficheiros enviándose", "'.' is an invalid file name." => "«.» é un nome de ficheiro incorrecto", "File name cannot be empty." => "O nome de ficheiro non pode estar baleiro", @@ -46,8 +44,8 @@ $TRANSLATIONS = array( "Name" => "Nome", "Size" => "Tamaño", "Modified" => "Modificado", -"_%n folder_::_%n folders_" => array("",""), -"_%n file_::_%n files_" => array("",""), +"_%n folder_::_%n folders_" => array("%n cartafol","%n cartafoles"), +"_%n file_::_%n files_" => array("%n ficheiro","%n ficheiros"), "%s could not be renamed" => "%s non pode cambiar de nome", "Upload" => "Enviar", "File handling" => "Manexo de ficheiro", @@ -68,6 +66,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Aquí non hai nada. Envíe algo.", "Download" => "Descargar", "Unshare" => "Deixar de compartir", +"Delete" => "Eliminar", "Upload too large" => "Envío demasiado grande", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Os ficheiros que tenta enviar exceden do tamaño máximo permitido neste servidor", "Files are being scanned, please wait." => "Estanse analizando os ficheiros. Agarde.", diff --git a/apps/files/l10n/he.php b/apps/files/l10n/he.php index 2f66e3ece31..ef98e2d2188 100644 --- a/apps/files/l10n/he.php +++ b/apps/files/l10n/he.php @@ -20,7 +20,6 @@ $TRANSLATIONS = array( "Error" => "שגיאה", "Share" => "שתף", "Delete permanently" => "מחק לצמיתות", -"Delete" => "מחיקה", "Rename" => "שינוי שם", "Pending" => "ממתין", "{new_name} already exists" => "{new_name} כבר קיים", @@ -29,7 +28,6 @@ $TRANSLATIONS = array( "cancel" => "ביטול", "replaced {new_name} with {old_name}" => "{new_name} הוחלף ב־{old_name}", "undo" => "ביטול", -"perform delete operation" => "ביצוע פעולת מחיקה", "_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "קבצים בהעלאה", "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "השם שגוי, אסור להשתמש בתווים '\\', '/', '<', '>', ':', '\"', '|', '?' ו־'*'.", @@ -55,6 +53,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "אין כאן שום דבר. אולי ברצונך להעלות משהו?", "Download" => "הורדה", "Unshare" => "הסר שיתוף", +"Delete" => "מחיקה", "Upload too large" => "העלאה גדולה מידי", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "הקבצים שניסית להעלות חרגו מהגודל המקסימלי להעלאת קבצים על שרת זה.", "Files are being scanned, please wait." => "הקבצים נסרקים, נא להמתין.", diff --git a/apps/files/l10n/hr.php b/apps/files/l10n/hr.php index b1f1f6dcada..8f74dea092f 100644 --- a/apps/files/l10n/hr.php +++ b/apps/files/l10n/hr.php @@ -12,7 +12,6 @@ $TRANSLATIONS = array( "File upload is in progress. Leaving the page now will cancel the upload." => "Učitavanje datoteke. Napuštanjem stranice će prekinuti učitavanje.", "Error" => "Greška", "Share" => "Podijeli", -"Delete" => "Obriši", "Rename" => "Promjeni ime", "Pending" => "U tijeku", "replace" => "zamjeni", @@ -42,6 +41,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Nema ničega u ovoj mapi. Pošalji nešto!", "Download" => "Preuzimanje", "Unshare" => "Makni djeljenje", +"Delete" => "Obriši", "Upload too large" => "Prijenos je preobiman", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Datoteke koje pokušavate prenijeti prelaze maksimalnu veličinu za prijenos datoteka na ovom poslužitelju.", "Files are being scanned, please wait." => "Datoteke se skeniraju, molimo pričekajte.", diff --git a/apps/files/l10n/hu_HU.php b/apps/files/l10n/hu_HU.php index 1bb46703903..63efe031da8 100644 --- a/apps/files/l10n/hu_HU.php +++ b/apps/files/l10n/hu_HU.php @@ -24,7 +24,6 @@ $TRANSLATIONS = array( "Error" => "Hiba", "Share" => "Megosztás", "Delete permanently" => "Végleges törlés", -"Delete" => "Törlés", "Rename" => "Átnevezés", "Pending" => "Folyamatban", "{new_name} already exists" => "{new_name} már létezik", @@ -33,7 +32,6 @@ $TRANSLATIONS = array( "cancel" => "mégse", "replaced {new_name} with {old_name}" => "{new_name} fájlt kicseréltük ezzel: {old_name}", "undo" => "visszavonás", -"perform delete operation" => "a törlés végrehajtása", "_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "fájl töltődik föl", "'.' is an invalid file name." => "'.' fájlnév érvénytelen.", @@ -68,6 +66,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Itt nincs semmi. Töltsön fel valamit!", "Download" => "Letöltés", "Unshare" => "A megosztás visszavonása", +"Delete" => "Törlés", "Upload too large" => "A feltöltés túl nagy", "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!", diff --git a/apps/files/l10n/hy.php b/apps/files/l10n/hy.php index 9e9658de0e5..a419a74cc97 100644 --- a/apps/files/l10n/hy.php +++ b/apps/files/l10n/hy.php @@ -1,10 +1,10 @@ "Ջնջել", "_Uploading %n file_::_Uploading %n files_" => array("",""), "_%n folder_::_%n folders_" => array("",""), "_%n file_::_%n files_" => array("",""), "Save" => "Պահպանել", -"Download" => "Բեռնել" +"Download" => "Բեռնել", +"Delete" => "Ջնջել" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/apps/files/l10n/ia.php b/apps/files/l10n/ia.php index b2addebc2f6..202375636a1 100644 --- a/apps/files/l10n/ia.php +++ b/apps/files/l10n/ia.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Files" => "Files", "Error" => "Error", "Share" => "Compartir", -"Delete" => "Deler", "_Uploading %n file_::_Uploading %n files_" => array("",""), "Name" => "Nomine", "Size" => "Dimension", @@ -21,6 +20,7 @@ $TRANSLATIONS = array( "Folder" => "Dossier", "Nothing in here. Upload something!" => "Nihil hic. Incarga alcun cosa!", "Download" => "Discargar", +"Delete" => "Deler", "Upload too large" => "Incargamento troppo longe" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/apps/files/l10n/id.php b/apps/files/l10n/id.php index e07aa2e069e..0f7aac5a228 100644 --- a/apps/files/l10n/id.php +++ b/apps/files/l10n/id.php @@ -21,7 +21,6 @@ $TRANSLATIONS = array( "Error" => "Galat", "Share" => "Bagikan", "Delete permanently" => "Hapus secara permanen", -"Delete" => "Hapus", "Rename" => "Ubah nama", "Pending" => "Menunggu", "{new_name} already exists" => "{new_name} sudah ada", @@ -30,7 +29,6 @@ $TRANSLATIONS = array( "cancel" => "batalkan", "replaced {new_name} with {old_name}" => "mengganti {new_name} dengan {old_name}", "undo" => "urungkan", -"perform delete operation" => "Lakukan operasi penghapusan", "_Uploading %n file_::_Uploading %n files_" => array(""), "files uploading" => "berkas diunggah", "'.' is an invalid file name." => "'.' bukan nama berkas yang valid.", @@ -64,6 +62,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Tidak ada apa-apa di sini. Unggah sesuatu!", "Download" => "Unduh", "Unshare" => "Batalkan berbagi", +"Delete" => "Hapus", "Upload too large" => "Yang diunggah terlalu besar", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Berkas yang dicoba untuk diunggah melebihi ukuran maksimum pengunggahan berkas di server ini.", "Files are being scanned, please wait." => "Berkas sedang dipindai, silakan tunggu.", diff --git a/apps/files/l10n/is.php b/apps/files/l10n/is.php index dc90483dea9..aee213691e0 100644 --- a/apps/files/l10n/is.php +++ b/apps/files/l10n/is.php @@ -19,7 +19,6 @@ $TRANSLATIONS = array( "URL cannot be empty." => "Vefslóð má ekki vera tóm.", "Error" => "Villa", "Share" => "Deila", -"Delete" => "Eyða", "Rename" => "Endurskýra", "Pending" => "Bíður", "{new_name} already exists" => "{new_name} er þegar til", @@ -55,6 +54,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Ekkert hér. Settu eitthvað inn!", "Download" => "Niðurhal", "Unshare" => "Hætta deilingu", +"Delete" => "Eyða", "Upload too large" => "Innsend skrá er of stór", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Skrárnar sem þú ert að senda inn eru stærri en hámarks innsendingarstærð á þessum netþjóni.", "Files are being scanned, please wait." => "Verið er að skima skrár, vinsamlegast hinkraðu.", diff --git a/apps/files/l10n/it.php b/apps/files/l10n/it.php index 37b7cecb123..3220a3efb6f 100644 --- a/apps/files/l10n/it.php +++ b/apps/files/l10n/it.php @@ -24,7 +24,6 @@ $TRANSLATIONS = array( "Error" => "Errore", "Share" => "Condividi", "Delete permanently" => "Elimina definitivamente", -"Delete" => "Elimina", "Rename" => "Rinomina", "Pending" => "In corso", "{new_name} already exists" => "{new_name} esiste già", @@ -33,7 +32,6 @@ $TRANSLATIONS = array( "cancel" => "annulla", "replaced {new_name} with {old_name}" => "sostituito {new_name} con {old_name}", "undo" => "annulla", -"perform delete operation" => "esegui l'operazione di eliminazione", "_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "caricamento file", "'.' is an invalid file name." => "'.' non è un nome file valido.", @@ -68,6 +66,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Non c'è niente qui. Carica qualcosa!", "Download" => "Scarica", "Unshare" => "Rimuovi condivisione", +"Delete" => "Elimina", "Upload too large" => "Caricamento troppo grande", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "I file che stai provando a caricare superano la dimensione massima consentita su questo server.", "Files are being scanned, please wait." => "Scansione dei file in corso, attendi", diff --git a/apps/files/l10n/ja_JP.php b/apps/files/l10n/ja_JP.php index d7959988062..0733f0e7925 100644 --- a/apps/files/l10n/ja_JP.php +++ b/apps/files/l10n/ja_JP.php @@ -24,7 +24,6 @@ $TRANSLATIONS = array( "Error" => "エラー", "Share" => "共有", "Delete permanently" => "完全に削除する", -"Delete" => "削除", "Rename" => "名前の変更", "Pending" => "中断", "{new_name} already exists" => "{new_name} はすでに存在しています", @@ -33,7 +32,6 @@ $TRANSLATIONS = array( "cancel" => "キャンセル", "replaced {new_name} with {old_name}" => "{old_name} を {new_name} に置換", "undo" => "元に戻す", -"perform delete operation" => "削除を実行", "_Uploading %n file_::_Uploading %n files_" => array(""), "files uploading" => "ファイルをアップロード中", "'.' is an invalid file name." => "'.' は無効なファイル名です。", @@ -46,8 +44,8 @@ $TRANSLATIONS = array( "Name" => "名前", "Size" => "サイズ", "Modified" => "変更", -"_%n folder_::_%n folders_" => array(""), -"_%n file_::_%n files_" => array(""), +"_%n folder_::_%n folders_" => array("%n個のフォルダ"), +"_%n file_::_%n files_" => array("%n個のファイル"), "%s could not be renamed" => "%sの名前を変更できませんでした", "Upload" => "アップロード", "File handling" => "ファイル操作", @@ -68,6 +66,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "ここには何もありません。何かアップロードしてください。", "Download" => "ダウンロード", "Unshare" => "共有解除", +"Delete" => "削除", "Upload too large" => "アップロードには大きすぎます。", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "アップロードしようとしているファイルは、サーバで規定された最大サイズを超えています。", "Files are being scanned, please wait." => "ファイルをスキャンしています、しばらくお待ちください。", diff --git a/apps/files/l10n/ka_GE.php b/apps/files/l10n/ka_GE.php index 40068f36d1f..3205255e39f 100644 --- a/apps/files/l10n/ka_GE.php +++ b/apps/files/l10n/ka_GE.php @@ -21,7 +21,6 @@ $TRANSLATIONS = array( "Error" => "შეცდომა", "Share" => "გაზიარება", "Delete permanently" => "სრულად წაშლა", -"Delete" => "წაშლა", "Rename" => "გადარქმევა", "Pending" => "მოცდის რეჟიმში", "{new_name} already exists" => "{new_name} უკვე არსებობს", @@ -30,7 +29,6 @@ $TRANSLATIONS = array( "cancel" => "უარყოფა", "replaced {new_name} with {old_name}" => "{new_name} შეცვლილია {old_name}–ით", "undo" => "დაბრუნება", -"perform delete operation" => "მიმდინარეობს წაშლის ოპერაცია", "_Uploading %n file_::_Uploading %n files_" => array(""), "files uploading" => "ფაილები იტვირთება", "'.' is an invalid file name." => "'.' არის დაუშვებელი ფაილის სახელი.", @@ -64,6 +62,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "აქ არაფერი არ არის. ატვირთე რამე!", "Download" => "ჩამოტვირთვა", "Unshare" => "გაუზიარებადი", +"Delete" => "წაშლა", "Upload too large" => "ასატვირთი ფაილი ძალიან დიდია", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "ფაილის ზომა რომლის ატვირთვასაც თქვენ აპირებთ, აჭარბებს სერვერზე დაშვებულ მაქსიმუმს.", "Files are being scanned, please wait." => "მიმდინარეობს ფაილების სკანირება, გთხოვთ დაელოდოთ.", diff --git a/apps/files/l10n/ko.php b/apps/files/l10n/ko.php index 323ba9556bd..7839ad3bd93 100644 --- a/apps/files/l10n/ko.php +++ b/apps/files/l10n/ko.php @@ -21,7 +21,6 @@ $TRANSLATIONS = array( "Error" => "오류", "Share" => "공유", "Delete permanently" => "영원히 삭제", -"Delete" => "삭제", "Rename" => "이름 바꾸기", "Pending" => "대기 중", "{new_name} already exists" => "{new_name}이(가) 이미 존재함", @@ -30,7 +29,6 @@ $TRANSLATIONS = array( "cancel" => "취소", "replaced {new_name} with {old_name}" => "{old_name}이(가) {new_name}(으)로 대체됨", "undo" => "되돌리기", -"perform delete operation" => "삭제 작업중", "_Uploading %n file_::_Uploading %n files_" => array(""), "files uploading" => "파일 업로드중", "'.' is an invalid file name." => "'.' 는 올바르지 않은 파일 이름 입니다.", @@ -64,6 +62,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "내용이 없습니다. 업로드할 수 있습니다!", "Download" => "다운로드", "Unshare" => "공유 해제", +"Delete" => "삭제", "Upload too large" => "업로드한 파일이 너무 큼", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "이 파일이 서버에서 허용하는 최대 업로드 가능 용량보다 큽니다.", "Files are being scanned, please wait." => "파일을 검색하고 있습니다. 기다려 주십시오.", diff --git a/apps/files/l10n/lb.php b/apps/files/l10n/lb.php index c9b7c3462e5..c57eebd9e76 100644 --- a/apps/files/l10n/lb.php +++ b/apps/files/l10n/lb.php @@ -12,7 +12,6 @@ $TRANSLATIONS = array( "File upload is in progress. Leaving the page now will cancel the upload." => "File Upload am gaang. Wann's de des Säit verléiss gëtt den Upload ofgebrach.", "Error" => "Fehler", "Share" => "Deelen", -"Delete" => "Läschen", "replace" => "ersetzen", "cancel" => "ofbriechen", "undo" => "réckgängeg man", @@ -38,6 +37,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Hei ass näischt. Lued eppes rop!", "Download" => "Download", "Unshare" => "Net méi deelen", +"Delete" => "Läschen", "Upload too large" => "Upload ze grouss", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Déi Dateien déi Dir probéiert erop ze lueden sinn méi grouss wei déi Maximal Gréisst déi op dësem Server erlaabt ass.", "Files are being scanned, please wait." => "Fichieren gi gescannt, war weg.", diff --git a/apps/files/l10n/lt_LT.php b/apps/files/l10n/lt_LT.php index 54fe271f2eb..cae9660ab66 100644 --- a/apps/files/l10n/lt_LT.php +++ b/apps/files/l10n/lt_LT.php @@ -22,7 +22,6 @@ $TRANSLATIONS = array( "Error" => "Klaida", "Share" => "Dalintis", "Delete permanently" => "Ištrinti negrįžtamai", -"Delete" => "Ištrinti", "Rename" => "Pervadinti", "Pending" => "Laukiantis", "{new_name} already exists" => "{new_name} jau egzistuoja", @@ -31,7 +30,6 @@ $TRANSLATIONS = array( "cancel" => "atšaukti", "replaced {new_name} with {old_name}" => "pakeiskite {new_name} į {old_name}", "undo" => "anuliuoti", -"perform delete operation" => "ištrinti", "_Uploading %n file_::_Uploading %n files_" => array("","",""), "files uploading" => "įkeliami failai", "'.' is an invalid file name." => "'.' yra neleidžiamas failo pavadinime.", @@ -65,6 +63,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Čia tuščia. Įkelkite ką nors!", "Download" => "Atsisiųsti", "Unshare" => "Nebesidalinti", +"Delete" => "Ištrinti", "Upload too large" => "Įkėlimui failas per didelis", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Bandomų įkelti failų dydis viršija maksimalų, kuris leidžiamas šiame serveryje", "Files are being scanned, please wait." => "Skenuojami failai, prašome palaukti.", diff --git a/apps/files/l10n/lv.php b/apps/files/l10n/lv.php index 0eb0b8ceb3d..0eeff3a5906 100644 --- a/apps/files/l10n/lv.php +++ b/apps/files/l10n/lv.php @@ -21,7 +21,6 @@ $TRANSLATIONS = array( "Error" => "Kļūda", "Share" => "Dalīties", "Delete permanently" => "Dzēst pavisam", -"Delete" => "Dzēst", "Rename" => "Pārsaukt", "Pending" => "Gaida savu kārtu", "{new_name} already exists" => "{new_name} jau eksistē", @@ -30,7 +29,6 @@ $TRANSLATIONS = array( "cancel" => "atcelt", "replaced {new_name} with {old_name}" => "aizvietoja {new_name} ar {old_name}", "undo" => "atsaukt", -"perform delete operation" => "veikt dzēšanas darbību", "_Uploading %n file_::_Uploading %n files_" => array("","",""), "'.' is an invalid file name." => "'.' ir nederīgs datnes nosaukums.", "File name cannot be empty." => "Datnes nosaukums nevar būt tukšs.", @@ -63,6 +61,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Te vēl nekas nav. Rīkojies, sāc augšupielādēt!", "Download" => "Lejupielādēt", "Unshare" => "Pārtraukt dalīšanos", +"Delete" => "Dzēst", "Upload too large" => "Datne ir par lielu, lai to augšupielādētu", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Augšupielādējamās datnes pārsniedz servera pieļaujamo datņu augšupielādes apjomu", "Files are being scanned, please wait." => "Datnes šobrīd tiek caurskatītas, lūdzu, uzgaidiet.", diff --git a/apps/files/l10n/mk.php b/apps/files/l10n/mk.php index faeaca9ae96..20fed43ab20 100644 --- a/apps/files/l10n/mk.php +++ b/apps/files/l10n/mk.php @@ -15,7 +15,6 @@ $TRANSLATIONS = array( "URL cannot be empty." => "Адресата неможе да биде празна.", "Error" => "Грешка", "Share" => "Сподели", -"Delete" => "Избриши", "Rename" => "Преименувај", "Pending" => "Чека", "{new_name} already exists" => "{new_name} веќе постои", @@ -48,6 +47,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Тука нема ништо. Снимете нешто!", "Download" => "Преземи", "Unshare" => "Не споделувај", +"Delete" => "Избриши", "Upload too large" => "Фајлот кој се вчитува е преголем", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Датотеките кои се обидувате да ги подигнете ја надминуваат максималната големина за подигнување датотеки на овој сервер.", "Files are being scanned, please wait." => "Се скенираат датотеки, ве молам почекајте.", diff --git a/apps/files/l10n/ms_MY.php b/apps/files/l10n/ms_MY.php index b67a4d886de..86b70faefda 100644 --- a/apps/files/l10n/ms_MY.php +++ b/apps/files/l10n/ms_MY.php @@ -12,7 +12,6 @@ $TRANSLATIONS = array( "Upload cancelled." => "Muatnaik dibatalkan.", "Error" => "Ralat", "Share" => "Kongsi", -"Delete" => "Padam", "Pending" => "Dalam proses", "replace" => "ganti", "cancel" => "Batal", @@ -37,6 +36,7 @@ $TRANSLATIONS = array( "Cancel upload" => "Batal muat naik", "Nothing in here. Upload something!" => "Tiada apa-apa di sini. Muat naik sesuatu!", "Download" => "Muat turun", +"Delete" => "Padam", "Upload too large" => "Muatnaik terlalu besar", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Fail yang cuba dimuat naik melebihi saiz maksimum fail upload server", "Files are being scanned, please wait." => "Fail sedang diimbas, harap bersabar.", diff --git a/apps/files/l10n/nb_NO.php b/apps/files/l10n/nb_NO.php index dfd197d9205..5e43740cc20 100644 --- a/apps/files/l10n/nb_NO.php +++ b/apps/files/l10n/nb_NO.php @@ -23,7 +23,6 @@ $TRANSLATIONS = array( "Error" => "Feil", "Share" => "Del", "Delete permanently" => "Slett permanent", -"Delete" => "Slett", "Rename" => "Omdøp", "Pending" => "Ventende", "{new_name} already exists" => "{new_name} finnes allerede", @@ -32,7 +31,6 @@ $TRANSLATIONS = array( "cancel" => "avbryt", "replaced {new_name} with {old_name}" => "erstatt {new_name} med {old_name}", "undo" => "angre", -"perform delete operation" => "utfør sletting", "_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "filer lastes opp", "'.' is an invalid file name." => "'.' er et ugyldig filnavn.", @@ -66,6 +64,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Ingenting her. Last opp noe!", "Download" => "Last ned", "Unshare" => "Avslutt deling", +"Delete" => "Slett", "Upload too large" => "Filen er for stor", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Filene du prøver å laste opp er for store for å laste opp til denne serveren.", "Files are being scanned, please wait." => "Skanner etter filer, vennligst vent.", diff --git a/apps/files/l10n/nl.php b/apps/files/l10n/nl.php index 6385dcee75b..adaf07a378e 100644 --- a/apps/files/l10n/nl.php +++ b/apps/files/l10n/nl.php @@ -24,7 +24,6 @@ $TRANSLATIONS = array( "Error" => "Fout", "Share" => "Delen", "Delete permanently" => "Verwijder definitief", -"Delete" => "Verwijder", "Rename" => "Hernoem", "Pending" => "In behandeling", "{new_name} already exists" => "{new_name} bestaat al", @@ -33,7 +32,6 @@ $TRANSLATIONS = array( "cancel" => "annuleren", "replaced {new_name} with {old_name}" => "verving {new_name} met {old_name}", "undo" => "ongedaan maken", -"perform delete operation" => "uitvoeren verwijderactie", "_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "bestanden aan het uploaden", "'.' is an invalid file name." => "'.' is een ongeldige bestandsnaam.", @@ -68,6 +66,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Er bevindt zich hier niets. Upload een bestand!", "Download" => "Downloaden", "Unshare" => "Stop met delen", +"Delete" => "Verwijder", "Upload too large" => "Upload is te groot", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "De bestanden die u probeert te uploaden zijn groter dan de maximaal toegestane bestandsgrootte voor deze server.", "Files are being scanned, please wait." => "Bestanden worden gescand, even wachten.", diff --git a/apps/files/l10n/nn_NO.php b/apps/files/l10n/nn_NO.php index fcaaa7d3331..0f0ad318740 100644 --- a/apps/files/l10n/nn_NO.php +++ b/apps/files/l10n/nn_NO.php @@ -22,7 +22,6 @@ $TRANSLATIONS = array( "Error" => "Feil", "Share" => "Del", "Delete permanently" => "Slett for godt", -"Delete" => "Slett", "Rename" => "Endra namn", "Pending" => "Under vegs", "{new_name} already exists" => "{new_name} finst allereie", @@ -31,7 +30,6 @@ $TRANSLATIONS = array( "cancel" => "avbryt", "replaced {new_name} with {old_name}" => "bytte ut {new_name} med {old_name}", "undo" => "angre", -"perform delete operation" => "utfør sletting", "_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "filer lastar opp", "'.' is an invalid file name." => "«.» er eit ugyldig filnamn.", @@ -65,6 +63,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Ingenting her. Last noko opp!", "Download" => "Last ned", "Unshare" => "Udel", +"Delete" => "Slett", "Upload too large" => "For stor opplasting", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Filene du prøver å lasta opp er større enn maksgrensa til denne tenaren.", "Files are being scanned, please wait." => "Skannar filer, ver venleg og vent.", diff --git a/apps/files/l10n/oc.php b/apps/files/l10n/oc.php index 89aeeee9a85..552d72bef59 100644 --- a/apps/files/l10n/oc.php +++ b/apps/files/l10n/oc.php @@ -12,7 +12,6 @@ $TRANSLATIONS = array( "File upload is in progress. Leaving the page now will cancel the upload." => "Un amontcargar es a se far. Daissar aquesta pagina ara tamparà lo cargament. ", "Error" => "Error", "Share" => "Parteja", -"Delete" => "Escafa", "Rename" => "Torna nomenar", "Pending" => "Al esperar", "replace" => "remplaça", @@ -42,6 +41,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Pas res dedins. Amontcarga qualquaren", "Download" => "Avalcarga", "Unshare" => "Pas partejador", +"Delete" => "Escafa", "Upload too large" => "Amontcargament tròp gròs", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Los fichièrs que sias a amontcargar son tròp pesucs per la talha maxi pel servidor.", "Files are being scanned, please wait." => "Los fiichièrs son a èsser explorats, ", diff --git a/apps/files/l10n/pl.php b/apps/files/l10n/pl.php index 15e746176f6..813d2ee8e7c 100644 --- a/apps/files/l10n/pl.php +++ b/apps/files/l10n/pl.php @@ -24,7 +24,6 @@ $TRANSLATIONS = array( "Error" => "Błąd", "Share" => "Udostępnij", "Delete permanently" => "Trwale usuń", -"Delete" => "Usuń", "Rename" => "Zmień nazwę", "Pending" => "Oczekujące", "{new_name} already exists" => "{new_name} już istnieje", @@ -33,7 +32,6 @@ $TRANSLATIONS = array( "cancel" => "anuluj", "replaced {new_name} with {old_name}" => "zastąpiono {new_name} przez {old_name}", "undo" => "cofnij", -"perform delete operation" => "wykonaj operację usunięcia", "_Uploading %n file_::_Uploading %n files_" => array("","",""), "files uploading" => "pliki wczytane", "'.' is an invalid file name." => "„.” jest nieprawidłową nazwą pliku.", @@ -68,6 +66,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Pusto. Wyślij coś!", "Download" => "Pobierz", "Unshare" => "Zatrzymaj współdzielenie", +"Delete" => "Usuń", "Upload too large" => "Ładowany plik jest za duży", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Pliki, które próbujesz przesłać, przekraczają maksymalną dopuszczalną wielkość.", "Files are being scanned, please wait." => "Skanowanie plików, proszę czekać.", diff --git a/apps/files/l10n/pt_BR.php b/apps/files/l10n/pt_BR.php index 0728436d256..575df891114 100644 --- a/apps/files/l10n/pt_BR.php +++ b/apps/files/l10n/pt_BR.php @@ -24,7 +24,6 @@ $TRANSLATIONS = array( "Error" => "Erro", "Share" => "Compartilhar", "Delete permanently" => "Excluir permanentemente", -"Delete" => "Excluir", "Rename" => "Renomear", "Pending" => "Pendente", "{new_name} already exists" => "{new_name} já existe", @@ -33,7 +32,6 @@ $TRANSLATIONS = array( "cancel" => "cancelar", "replaced {new_name} with {old_name}" => "Substituído {old_name} por {new_name} ", "undo" => "desfazer", -"perform delete operation" => "realizar operação de exclusão", "_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "enviando arquivos", "'.' is an invalid file name." => "'.' é um nome de arquivo inválido.", @@ -68,6 +66,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Nada aqui.Carrege alguma coisa!", "Download" => "Baixar", "Unshare" => "Descompartilhar", +"Delete" => "Excluir", "Upload too large" => "Upload muito grande", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Os arquivos que você está tentando carregar excedeu o tamanho máximo para arquivos no servidor.", "Files are being scanned, please wait." => "Arquivos sendo escaneados, por favor aguarde.", diff --git a/apps/files/l10n/pt_PT.php b/apps/files/l10n/pt_PT.php index 4684a2d6052..64110f6704a 100644 --- a/apps/files/l10n/pt_PT.php +++ b/apps/files/l10n/pt_PT.php @@ -24,7 +24,6 @@ $TRANSLATIONS = array( "Error" => "Erro", "Share" => "Partilhar", "Delete permanently" => "Eliminar permanentemente", -"Delete" => "Eliminar", "Rename" => "Renomear", "Pending" => "Pendente", "{new_name} already exists" => "O nome {new_name} já existe", @@ -33,7 +32,6 @@ $TRANSLATIONS = array( "cancel" => "cancelar", "replaced {new_name} with {old_name}" => "substituido {new_name} por {old_name}", "undo" => "desfazer", -"perform delete operation" => "Executar a tarefa de apagar", "_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "A enviar os ficheiros", "'.' is an invalid file name." => "'.' não é um nome de ficheiro válido!", @@ -68,6 +66,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Vazio. Envie alguma coisa!", "Download" => "Transferir", "Unshare" => "Deixar de partilhar", +"Delete" => "Eliminar", "Upload too large" => "Upload muito grande", "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.", diff --git a/apps/files/l10n/ro.php b/apps/files/l10n/ro.php index d62525f205e..85805cf5623 100644 --- a/apps/files/l10n/ro.php +++ b/apps/files/l10n/ro.php @@ -24,7 +24,6 @@ $TRANSLATIONS = array( "Error" => "Eroare", "Share" => "Partajează", "Delete permanently" => "Stergere permanenta", -"Delete" => "Șterge", "Rename" => "Redenumire", "Pending" => "În așteptare", "{new_name} already exists" => "{new_name} deja exista", @@ -33,7 +32,6 @@ $TRANSLATIONS = array( "cancel" => "anulare", "replaced {new_name} with {old_name}" => "{new_name} inlocuit cu {old_name}", "undo" => "Anulează ultima acțiune", -"perform delete operation" => "efectueaza operatiunea de stergere", "_Uploading %n file_::_Uploading %n files_" => array("","",""), "files uploading" => "fișiere se încarcă", "'.' is an invalid file name." => "'.' este un nume invalid de fișier.", @@ -68,6 +66,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Nimic aici. Încarcă ceva!", "Download" => "Descarcă", "Unshare" => "Anulare partajare", +"Delete" => "Șterge", "Upload too large" => "Fișierul încărcat este prea mare", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Fișierul care l-ai încărcat a depășită limita maximă admisă la încărcare pe acest server.", "Files are being scanned, please wait." => "Fișierele sunt scanate, te rog așteptă.", diff --git a/apps/files/l10n/ru.php b/apps/files/l10n/ru.php index 28893b4a632..c4f9342a3f5 100644 --- a/apps/files/l10n/ru.php +++ b/apps/files/l10n/ru.php @@ -24,7 +24,6 @@ $TRANSLATIONS = array( "Error" => "Ошибка", "Share" => "Открыть доступ", "Delete permanently" => "Удалено навсегда", -"Delete" => "Удалить", "Rename" => "Переименовать", "Pending" => "Ожидание", "{new_name} already exists" => "{new_name} уже существует", @@ -33,7 +32,6 @@ $TRANSLATIONS = array( "cancel" => "отмена", "replaced {new_name} with {old_name}" => "заменено {new_name} на {old_name}", "undo" => "отмена", -"perform delete operation" => "выполнить операцию удаления", "_Uploading %n file_::_Uploading %n files_" => array("","",""), "files uploading" => "файлы загружаются", "'.' is an invalid file name." => "'.' - неправильное имя файла.", @@ -68,6 +66,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Здесь ничего нет. Загрузите что-нибудь!", "Download" => "Скачать", "Unshare" => "Закрыть общий доступ", +"Delete" => "Удалить", "Upload too large" => "Файл слишком велик", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Файлы, которые вы пытаетесь загрузить, превышают лимит для файлов на этом сервере.", "Files are being scanned, please wait." => "Подождите, файлы сканируются.", diff --git a/apps/files/l10n/si_LK.php b/apps/files/l10n/si_LK.php index 8341fdec665..ffb28e09584 100644 --- a/apps/files/l10n/si_LK.php +++ b/apps/files/l10n/si_LK.php @@ -13,7 +13,6 @@ $TRANSLATIONS = array( "URL cannot be empty." => "යොමුව හිස් විය නොහැක", "Error" => "දෝෂයක්", "Share" => "බෙදා හදා ගන්න", -"Delete" => "මකා දමන්න", "Rename" => "නැවත නම් කරන්න", "replace" => "ප්‍රතිස්ථාපනය කරන්න", "suggest name" => "නමක් යෝජනා කරන්න", @@ -42,6 +41,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "මෙහි කිසිවක් නොමැත. යමක් උඩුගත කරන්න", "Download" => "බාන්න", "Unshare" => "නොබෙදු", +"Delete" => "මකා දමන්න", "Upload too large" => "උඩුගත කිරීම විශාල වැඩිය", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "ඔබ උඩුගත කිරීමට තැත් කරන ගොනු මෙම සේවාදායකයා උඩුගත කිරීමට ඉඩදී ඇති උපරිම ගොනු විශාලත්වයට වඩා වැඩිය", "Files are being scanned, please wait." => "ගොනු පරික්ෂා කෙරේ. මඳක් රැඳී සිටින්න", diff --git a/apps/files/l10n/sk_SK.php b/apps/files/l10n/sk_SK.php index 51491bbc13f..d28368cc48f 100644 --- a/apps/files/l10n/sk_SK.php +++ b/apps/files/l10n/sk_SK.php @@ -24,7 +24,6 @@ $TRANSLATIONS = array( "Error" => "Chyba", "Share" => "Zdieľať", "Delete permanently" => "Zmazať trvalo", -"Delete" => "Zmazať", "Rename" => "Premenovať", "Pending" => "Prebieha", "{new_name} already exists" => "{new_name} už existuje", @@ -33,7 +32,6 @@ $TRANSLATIONS = array( "cancel" => "zrušiť", "replaced {new_name} with {old_name}" => "prepísaný {new_name} súborom {old_name}", "undo" => "vrátiť", -"perform delete operation" => "vykonať zmazanie", "_Uploading %n file_::_Uploading %n files_" => array("","",""), "files uploading" => "nahrávanie súborov", "'.' is an invalid file name." => "'.' je neplatné meno súboru.", @@ -68,6 +66,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Žiadny súbor. Nahrajte niečo!", "Download" => "Sťahovanie", "Unshare" => "Zrušiť zdieľanie", +"Delete" => "Zmazať", "Upload too large" => "Nahrávanie je príliš veľké", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Súbory, ktoré sa snažíte nahrať, presahujú maximálnu veľkosť pre nahratie súborov na tento server.", "Files are being scanned, please wait." => "Čakajte, súbory sú prehľadávané.", diff --git a/apps/files/l10n/sl.php b/apps/files/l10n/sl.php index f71991d080a..9922a0be7ee 100644 --- a/apps/files/l10n/sl.php +++ b/apps/files/l10n/sl.php @@ -24,7 +24,6 @@ $TRANSLATIONS = array( "Error" => "Napaka", "Share" => "Souporaba", "Delete permanently" => "Izbriši dokončno", -"Delete" => "Izbriši", "Rename" => "Preimenuj", "Pending" => "V čakanju ...", "{new_name} already exists" => "{new_name} že obstaja", @@ -33,7 +32,6 @@ $TRANSLATIONS = array( "cancel" => "prekliči", "replaced {new_name} with {old_name}" => "preimenovano ime {new_name} z imenom {old_name}", "undo" => "razveljavi", -"perform delete operation" => "izvedi opravilo brisanja", "_Uploading %n file_::_Uploading %n files_" => array("","","",""), "files uploading" => "poteka pošiljanje datotek", "'.' is an invalid file name." => "'.' je neveljavno ime datoteke.", @@ -68,6 +66,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Tukaj še ni ničesar. Najprej je treba kakšno datoteko poslati v oblak!", "Download" => "Prejmi", "Unshare" => "Prekliči souporabo", +"Delete" => "Izbriši", "Upload too large" => "Prekoračenje omejitve velikosti", "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 ...", diff --git a/apps/files/l10n/sq.php b/apps/files/l10n/sq.php index 85bf22507e4..34250b56c3e 100644 --- a/apps/files/l10n/sq.php +++ b/apps/files/l10n/sq.php @@ -21,7 +21,6 @@ $TRANSLATIONS = array( "Error" => "Veprim i gabuar", "Share" => "Nda", "Delete permanently" => "Elimino përfundimisht", -"Delete" => "Elimino", "Rename" => "Riemërto", "Pending" => "Pezulluar", "{new_name} already exists" => "{new_name} ekziston", @@ -30,7 +29,6 @@ $TRANSLATIONS = array( "cancel" => "anulo", "replaced {new_name} with {old_name}" => "U zëvëndësua {new_name} me {old_name}", "undo" => "anulo", -"perform delete operation" => "ekzekuto operacionin e eliminimit", "_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "po ngarkoj skedarët", "'.' is an invalid file name." => "'.' është emër i pavlefshëm.", @@ -64,6 +62,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Këtu nuk ka asgjë. Ngarkoni diçka!", "Download" => "Shkarko", "Unshare" => "Hiq ndarjen", +"Delete" => "Elimino", "Upload too large" => "Ngarkimi është shumë i madh", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Skedarët që doni të ngarkoni tejkalojnë dimensionet maksimale për ngarkimet në këtë server.", "Files are being scanned, please wait." => "Skedarët po analizohen, ju lutemi pritni.", diff --git a/apps/files/l10n/sr.php b/apps/files/l10n/sr.php index 5de6e32300e..d73188d483c 100644 --- a/apps/files/l10n/sr.php +++ b/apps/files/l10n/sr.php @@ -21,7 +21,6 @@ $TRANSLATIONS = array( "Error" => "Грешка", "Share" => "Дели", "Delete permanently" => "Обриши за стално", -"Delete" => "Обриши", "Rename" => "Преименуј", "Pending" => "На чекању", "{new_name} already exists" => "{new_name} већ постоји", @@ -30,7 +29,6 @@ $TRANSLATIONS = array( "cancel" => "откажи", "replaced {new_name} with {old_name}" => "замењено {new_name} са {old_name}", "undo" => "опозови", -"perform delete operation" => "обриши", "_Uploading %n file_::_Uploading %n files_" => array("","",""), "files uploading" => "датотеке се отпремају", "'.' is an invalid file name." => "Датотека „.“ је неисправног имена.", @@ -64,6 +62,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Овде нема ничег. Отпремите нешто!", "Download" => "Преузми", "Unshare" => "Укини дељење", +"Delete" => "Обриши", "Upload too large" => "Датотека је превелика", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Датотеке које желите да отпремите прелазе ограничење у величини.", "Files are being scanned, please wait." => "Скенирам датотеке…", diff --git a/apps/files/l10n/sr@latin.php b/apps/files/l10n/sr@latin.php index 856f3d46559..bc7b11b8c53 100644 --- a/apps/files/l10n/sr@latin.php +++ b/apps/files/l10n/sr@latin.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "No file was uploaded" => "Nijedan fajl nije poslat", "Missing a temporary folder" => "Nedostaje privremena fascikla", "Files" => "Fajlovi", -"Delete" => "Obriši", "_Uploading %n file_::_Uploading %n files_" => array("","",""), "Name" => "Ime", "Size" => "Veličina", @@ -18,6 +17,7 @@ $TRANSLATIONS = array( "Save" => "Snimi", "Nothing in here. Upload something!" => "Ovde nema ničeg. Pošaljite nešto!", "Download" => "Preuzmi", +"Delete" => "Obriši", "Upload too large" => "Pošiljka je prevelika", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Fajlovi koje želite da pošaljete prevazilaze ograničenje maksimalne veličine pošiljke na ovom serveru." ); diff --git a/apps/files/l10n/sv.php b/apps/files/l10n/sv.php index 141bf02c3c9..5251e2ade26 100644 --- a/apps/files/l10n/sv.php +++ b/apps/files/l10n/sv.php @@ -24,7 +24,6 @@ $TRANSLATIONS = array( "Error" => "Fel", "Share" => "Dela", "Delete permanently" => "Radera permanent", -"Delete" => "Radera", "Rename" => "Byt namn", "Pending" => "Väntar", "{new_name} already exists" => "{new_name} finns redan", @@ -33,7 +32,6 @@ $TRANSLATIONS = array( "cancel" => "avbryt", "replaced {new_name} with {old_name}" => "ersatt {new_name} med {old_name}", "undo" => "ångra", -"perform delete operation" => "utför raderingen", "_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "filer laddas upp", "'.' is an invalid file name." => "'.' är ett ogiltigt filnamn.", @@ -68,6 +66,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Ingenting här. Ladda upp något!", "Download" => "Ladda ner", "Unshare" => "Sluta dela", +"Delete" => "Radera", "Upload too large" => "För stor uppladdning", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Filerna du försöker ladda upp överstiger den maximala storleken för filöverföringar på servern.", "Files are being scanned, please wait." => "Filer skannas, var god vänta", diff --git a/apps/files/l10n/ta_LK.php b/apps/files/l10n/ta_LK.php index cc0180fe463..eb39218e48d 100644 --- a/apps/files/l10n/ta_LK.php +++ b/apps/files/l10n/ta_LK.php @@ -14,7 +14,6 @@ $TRANSLATIONS = array( "URL cannot be empty." => "URL வெறுமையாக இருக்கமுடியாது.", "Error" => "வழு", "Share" => "பகிர்வு", -"Delete" => "நீக்குக", "Rename" => "பெயர்மாற்றம்", "Pending" => "நிலுவையிலுள்ள", "{new_name} already exists" => "{new_name} ஏற்கனவே உள்ளது", @@ -47,6 +46,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "இங்கு ஒன்றும் இல்லை. ஏதாவது பதிவேற்றுக!", "Download" => "பதிவிறக்குக", "Unshare" => "பகிரப்படாதது", +"Delete" => "நீக்குக", "Upload too large" => "பதிவேற்றல் மிகப்பெரியது", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "நீங்கள் பதிவேற்ற முயற்சிக்கும் கோப்புகளானது இந்த சேவையகத்தில் கோப்பு பதிவேற்றக்கூடிய ஆகக்கூடிய அளவிலும் கூடியது.", "Files are being scanned, please wait." => "கோப்புகள் வருடப்படுகின்றன, தயவுசெய்து காத்திருங்கள்.", diff --git a/apps/files/l10n/te.php b/apps/files/l10n/te.php index eb431b6c100..5a108274dd9 100644 --- a/apps/files/l10n/te.php +++ b/apps/files/l10n/te.php @@ -2,7 +2,6 @@ $TRANSLATIONS = array( "Error" => "పొరపాటు", "Delete permanently" => "శాశ్వతంగా తొలగించు", -"Delete" => "తొలగించు", "cancel" => "రద్దుచేయి", "_Uploading %n file_::_Uploading %n files_" => array("",""), "Name" => "పేరు", @@ -10,6 +9,7 @@ $TRANSLATIONS = array( "_%n folder_::_%n folders_" => array("",""), "_%n file_::_%n files_" => array("",""), "Save" => "భద్రపరచు", -"Folder" => "సంచయం" +"Folder" => "సంచయం", +"Delete" => "తొలగించు" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/apps/files/l10n/th_TH.php b/apps/files/l10n/th_TH.php index bd91056b09b..c101398918e 100644 --- a/apps/files/l10n/th_TH.php +++ b/apps/files/l10n/th_TH.php @@ -20,7 +20,6 @@ $TRANSLATIONS = array( "URL cannot be empty." => "URL ไม่สามารถเว้นว่างได้", "Error" => "ข้อผิดพลาด", "Share" => "แชร์", -"Delete" => "ลบ", "Rename" => "เปลี่ยนชื่อ", "Pending" => "อยู่ระหว่างดำเนินการ", "{new_name} already exists" => "{new_name} มีอยู่แล้วในระบบ", @@ -29,7 +28,6 @@ $TRANSLATIONS = array( "cancel" => "ยกเลิก", "replaced {new_name} with {old_name}" => "แทนที่ {new_name} ด้วย {old_name} แล้ว", "undo" => "เลิกทำ", -"perform delete operation" => "ดำเนินการตามคำสั่งลบ", "_Uploading %n file_::_Uploading %n files_" => array(""), "files uploading" => "การอัพโหลดไฟล์", "'.' is an invalid file name." => "'.' เป็นชื่อไฟล์ที่ไม่ถูกต้อง", @@ -61,6 +59,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "ยังไม่มีไฟล์ใดๆอยู่ที่นี่ กรุณาอัพโหลดไฟล์!", "Download" => "ดาวน์โหลด", "Unshare" => "ยกเลิกการแชร์", +"Delete" => "ลบ", "Upload too large" => "ไฟล์ที่อัพโหลดมีขนาดใหญ่เกินไป", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "ไฟล์ที่คุณพยายามที่จะอัพโหลดมีขนาดเกินกว่าขนาดสูงสุดที่กำหนดไว้ให้อัพโหลดได้สำหรับเซิร์ฟเวอร์นี้", "Files are being scanned, please wait." => "ไฟล์กำลังอยู่ระหว่างการสแกน, กรุณารอสักครู่.", diff --git a/apps/files/l10n/tr.php b/apps/files/l10n/tr.php index 4762ad0b829..725bebfa7db 100644 --- a/apps/files/l10n/tr.php +++ b/apps/files/l10n/tr.php @@ -24,7 +24,6 @@ $TRANSLATIONS = array( "Error" => "Hata", "Share" => "Paylaş", "Delete permanently" => "Kalıcı olarak sil", -"Delete" => "Sil", "Rename" => "İsim değiştir.", "Pending" => "Bekliyor", "{new_name} already exists" => "{new_name} zaten mevcut", @@ -33,8 +32,7 @@ $TRANSLATIONS = array( "cancel" => "iptal", "replaced {new_name} with {old_name}" => "{new_name} ismi {old_name} ile değiştirildi", "undo" => "geri al", -"perform delete operation" => "Silme işlemini gerçekleştir", -"_Uploading %n file_::_Uploading %n files_" => array("",""), +"_Uploading %n file_::_Uploading %n files_" => array("%n dosya yükleniyor","%n dosya yükleniyor"), "files uploading" => "Dosyalar yükleniyor", "'.' is an invalid file name." => "'.' geçersiz dosya adı.", "File name cannot be empty." => "Dosya adı boş olamaz.", @@ -46,8 +44,8 @@ $TRANSLATIONS = array( "Name" => "İsim", "Size" => "Boyut", "Modified" => "Değiştirilme", -"_%n folder_::_%n folders_" => array("",""), -"_%n file_::_%n files_" => array("",""), +"_%n folder_::_%n folders_" => array("%n dizin","%n dizin"), +"_%n file_::_%n files_" => array("%n dosya","%n dosya"), "%s could not be renamed" => "%s yeniden adlandırılamadı", "Upload" => "Yükle", "File handling" => "Dosya taşıma", @@ -68,6 +66,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Burada hiçbir şey yok. Birşeyler yükleyin!", "Download" => "İndir", "Unshare" => "Paylaşılmayan", +"Delete" => "Sil", "Upload too large" => "Yükleme çok büyük", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Yüklemeye çalıştığınız dosyalar bu sunucudaki maksimum yükleme boyutunu aşıyor.", "Files are being scanned, please wait." => "Dosyalar taranıyor, lütfen bekleyin.", diff --git a/apps/files/l10n/ug.php b/apps/files/l10n/ug.php index 068c953ee1a..2eceeea44a8 100644 --- a/apps/files/l10n/ug.php +++ b/apps/files/l10n/ug.php @@ -13,7 +13,6 @@ $TRANSLATIONS = array( "Error" => "خاتالىق", "Share" => "ھەمبەھىر", "Delete permanently" => "مەڭگۈلۈك ئۆچۈر", -"Delete" => "ئۆچۈر", "Rename" => "ئات ئۆزگەرت", "Pending" => "كۈتۈۋاتىدۇ", "{new_name} already exists" => "{new_name} مەۋجۇت", @@ -38,6 +37,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "بۇ جايدا ھېچنېمە يوق. Upload something!", "Download" => "چۈشۈر", "Unshare" => "ھەمبەھىرلىمە", +"Delete" => "ئۆچۈر", "Upload too large" => "يۈكلەندىغىنى بەك چوڭ", "Upgrading filesystem cache..." => "ھۆججەت سىستېما غەملىكىنى يۈكسەلدۈرۈۋاتىدۇ…" ); diff --git a/apps/files/l10n/uk.php b/apps/files/l10n/uk.php index 4cc49c65085..f34383d969d 100644 --- a/apps/files/l10n/uk.php +++ b/apps/files/l10n/uk.php @@ -21,7 +21,6 @@ $TRANSLATIONS = array( "Error" => "Помилка", "Share" => "Поділитися", "Delete permanently" => "Видалити назавжди", -"Delete" => "Видалити", "Rename" => "Перейменувати", "Pending" => "Очікування", "{new_name} already exists" => "{new_name} вже існує", @@ -30,7 +29,6 @@ $TRANSLATIONS = array( "cancel" => "відміна", "replaced {new_name} with {old_name}" => "замінено {new_name} на {old_name}", "undo" => "відмінити", -"perform delete operation" => "виконати операцію видалення", "_Uploading %n file_::_Uploading %n files_" => array("","",""), "files uploading" => "файли завантажуються", "'.' is an invalid file name." => "'.' це невірне ім'я файлу.", @@ -65,6 +63,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Тут нічого немає. Відвантажте що-небудь!", "Download" => "Завантажити", "Unshare" => "Закрити доступ", +"Delete" => "Видалити", "Upload too large" => "Файл занадто великий", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Файли,що ви намагаєтесь відвантажити перевищують максимальний дозволений розмір файлів на цьому сервері.", "Files are being scanned, please wait." => "Файли скануються, зачекайте, будь-ласка.", diff --git a/apps/files/l10n/vi.php b/apps/files/l10n/vi.php index 3684df65958..ae5b152ed08 100644 --- a/apps/files/l10n/vi.php +++ b/apps/files/l10n/vi.php @@ -21,7 +21,6 @@ $TRANSLATIONS = array( "Error" => "Lỗi", "Share" => "Chia sẻ", "Delete permanently" => "Xóa vĩnh vễn", -"Delete" => "Xóa", "Rename" => "Sửa tên", "Pending" => "Đang chờ", "{new_name} already exists" => "{new_name} đã tồn tại", @@ -30,7 +29,6 @@ $TRANSLATIONS = array( "cancel" => "hủy", "replaced {new_name} with {old_name}" => "đã thay thế {new_name} bằng {old_name}", "undo" => "lùi lại", -"perform delete operation" => "thực hiện việc xóa", "_Uploading %n file_::_Uploading %n files_" => array(""), "files uploading" => "tệp tin đang được tải lên", "'.' is an invalid file name." => "'.' là một tên file không hợp lệ", @@ -64,6 +62,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "Không có gì ở đây .Hãy tải lên một cái gì đó !", "Download" => "Tải về", "Unshare" => "Bỏ chia sẻ", +"Delete" => "Xóa", "Upload too large" => "Tập tin tải lên quá lớn", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Các tập tin bạn đang tải lên vượt quá kích thước tối đa cho phép trên máy chủ .", "Files are being scanned, please wait." => "Tập tin đang được quét ,vui lòng chờ.", diff --git a/apps/files/l10n/zh_CN.GB2312.php b/apps/files/l10n/zh_CN.GB2312.php index 090b73cc54a..d031a1e5a55 100644 --- a/apps/files/l10n/zh_CN.GB2312.php +++ b/apps/files/l10n/zh_CN.GB2312.php @@ -24,7 +24,6 @@ $TRANSLATIONS = array( "Error" => "出错", "Share" => "分享", "Delete permanently" => "永久删除", -"Delete" => "删除", "Rename" => "重命名", "Pending" => "等待中", "{new_name} already exists" => "{new_name} 已存在", @@ -33,8 +32,7 @@ $TRANSLATIONS = array( "cancel" => "取消", "replaced {new_name} with {old_name}" => "已用 {old_name} 替换 {new_name}", "undo" => "撤销", -"perform delete operation" => "执行删除", -"_Uploading %n file_::_Uploading %n files_" => array(""), +"_Uploading %n file_::_Uploading %n files_" => array("正在上传 %n 个文件"), "files uploading" => "个文件正在上传", "'.' is an invalid file name." => "'.' 文件名不正确", "File name cannot be empty." => "文件名不能为空", @@ -46,8 +44,8 @@ $TRANSLATIONS = array( "Name" => "名称", "Size" => "大小", "Modified" => "修改日期", -"_%n folder_::_%n folders_" => array(""), -"_%n file_::_%n files_" => array(""), +"_%n folder_::_%n folders_" => array("%n 个文件夹"), +"_%n file_::_%n files_" => array("%n 个文件"), "%s could not be renamed" => "不能重命名 %s", "Upload" => "上传", "File handling" => "文件处理中", @@ -68,6 +66,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "这里没有东西.上传点什么!", "Download" => "下载", "Unshare" => "取消分享", +"Delete" => "删除", "Upload too large" => "上传过大", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "你正在试图上传的文件超过了此服务器支持的最大的文件大小.", "Files are being scanned, please wait." => "正在扫描文件,请稍候.", diff --git a/apps/files/l10n/zh_CN.php b/apps/files/l10n/zh_CN.php index e9fb20c69cb..ddd3955c2fa 100644 --- a/apps/files/l10n/zh_CN.php +++ b/apps/files/l10n/zh_CN.php @@ -24,7 +24,6 @@ $TRANSLATIONS = array( "Error" => "错误", "Share" => "分享", "Delete permanently" => "永久删除", -"Delete" => "删除", "Rename" => "重命名", "Pending" => "等待", "{new_name} already exists" => "{new_name} 已存在", @@ -33,7 +32,6 @@ $TRANSLATIONS = array( "cancel" => "取消", "replaced {new_name} with {old_name}" => "已将 {old_name}替换成 {new_name}", "undo" => "撤销", -"perform delete operation" => "进行删除操作", "_Uploading %n file_::_Uploading %n files_" => array(""), "files uploading" => "文件上传中", "'.' is an invalid file name." => "'.' 是一个无效的文件名。", @@ -68,6 +66,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "这里还什么都没有。上传些东西吧!", "Download" => "下载", "Unshare" => "取消共享", +"Delete" => "删除", "Upload too large" => "上传文件过大", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "您正尝试上传的文件超过了此服务器可以上传的最大容量限制", "Files are being scanned, please wait." => "文件正在被扫描,请稍候。", diff --git a/apps/files/l10n/zh_HK.php b/apps/files/l10n/zh_HK.php index 52f23f4a5d7..a9064fa7f78 100644 --- a/apps/files/l10n/zh_HK.php +++ b/apps/files/l10n/zh_HK.php @@ -3,7 +3,6 @@ $TRANSLATIONS = array( "Files" => "文件", "Error" => "錯誤", "Share" => "分享", -"Delete" => "刪除", "_Uploading %n file_::_Uploading %n files_" => array(""), "Name" => "名稱", "_%n folder_::_%n folders_" => array(""), @@ -11,6 +10,7 @@ $TRANSLATIONS = array( "Upload" => "上傳", "Save" => "儲存", "Download" => "下載", -"Unshare" => "取消分享" +"Unshare" => "取消分享", +"Delete" => "刪除" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/apps/files/l10n/zh_TW.php b/apps/files/l10n/zh_TW.php index 2ee6116b132..b96b02e5d93 100644 --- a/apps/files/l10n/zh_TW.php +++ b/apps/files/l10n/zh_TW.php @@ -24,7 +24,6 @@ $TRANSLATIONS = array( "Error" => "錯誤", "Share" => "分享", "Delete permanently" => "永久刪除", -"Delete" => "刪除", "Rename" => "重新命名", "Pending" => "等候中", "{new_name} already exists" => "{new_name} 已經存在", @@ -33,7 +32,6 @@ $TRANSLATIONS = array( "cancel" => "取消", "replaced {new_name} with {old_name}" => "使用 {new_name} 取代 {old_name}", "undo" => "復原", -"perform delete operation" => "進行刪除動作", "_Uploading %n file_::_Uploading %n files_" => array(""), "files uploading" => "檔案正在上傳中", "'.' is an invalid file name." => "'.' 是不合法的檔名。", @@ -68,6 +66,7 @@ $TRANSLATIONS = array( "Nothing in here. Upload something!" => "這裡什麼也沒有,上傳一些東西吧!", "Download" => "下載", "Unshare" => "取消共享", +"Delete" => "刪除", "Upload too large" => "上傳過大", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "您試圖上傳的檔案已超過伺服器的最大檔案大小限制。", "Files are being scanned, please wait." => "正在掃描檔案,請稍等。", diff --git a/apps/files_encryption/l10n/cs_CZ.php b/apps/files_encryption/l10n/cs_CZ.php index e2b3be3261a..89f63cc1cdd 100644 --- a/apps/files_encryption/l10n/cs_CZ.php +++ b/apps/files_encryption/l10n/cs_CZ.php @@ -10,7 +10,7 @@ $TRANSLATIONS = array( "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ě.", "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." => "Váš soukromý klíč není platný! Pravděpodobně bylo heslo změněno vně systému ownCloud (např. ve vašem firemním adresáři). Heslo vašeho soukromého klíče můžete změnit ve svém osobním nastavení pro obnovení přístupu k vašim zašifrovaným souborům.", "Missing requirements." => "Nesplněné závislosti.", -"Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL together with the PHP extension is enabled and configured properly. For now, the encryption app has been disabled." => "Ujistěte se prosím, že máte nainstalované PHP 5.3.3 nebo novější, a že máte povolené a správně nakonfigurované OpenSSL včetně jeho rozšíření pro PHP. Prozatím byla aplikace pro šifrování vypnuta.", +"Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL together with the PHP extension is enabled and configured properly. For now, the encryption app has been disabled." => "Ujistěte se prosím, že máte nainstalované PHP 5.3.3 nebo novější a že máte povolené a správně nakonfigurované OpenSSL včetně jeho rozšíření pro PHP. Prozatím byla aplikace pro šifrování vypnuta.", "Following users are not set up for encryption:" => "Následující uživatelé nemají nastavené šifrování:", "Saving..." => "Ukládám...", "Your private key is not valid! Maybe the your password was changed from outside." => "Váš soukromý klíč není platný! Pravděpodobně bylo vaše heslo změněno zvenčí.", diff --git a/apps/files_sharing/l10n/zh_CN.GB2312.php b/apps/files_sharing/l10n/zh_CN.GB2312.php index 206e1921faf..5c426672c88 100644 --- a/apps/files_sharing/l10n/zh_CN.GB2312.php +++ b/apps/files_sharing/l10n/zh_CN.GB2312.php @@ -1,7 +1,14 @@ "密码错误。请重试。", "Password" => "密码", "Submit" => "提交", +"Sorry, this link doesn’t seem to work anymore." => "对不起,这个链接看起来是错误的。", +"Reasons might be:" => "原因可能是:", +"the item was removed" => "项目已经移除", +"the link expired" => "链接已过期", +"sharing is disabled" => "分享已经被禁用", +"For more info, please ask the person who sent this link." => "欲了解更多信息,请联系将此链接发送给你的人。", "%s shared the folder %s with you" => "%s 与您分享了文件夹 %s", "%s shared the file %s with you" => "%s 与您分享了文件 %s", "Download" => "下载", diff --git a/apps/files_trashbin/l10n/da.php b/apps/files_trashbin/l10n/da.php index d6753fd3c0b..2fbc0893878 100644 --- a/apps/files_trashbin/l10n/da.php +++ b/apps/files_trashbin/l10n/da.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Slet permanent", "Name" => "Navn", "Deleted" => "Slettet", -"_%n folder_::_%n folders_" => array("",""), -"_%n file_::_%n files_" => array("",""), +"_%n folder_::_%n folders_" => array("%n mappe","%n mapper"), +"_%n file_::_%n files_" => array("%n fil","%n filer"), "restored" => "Gendannet", "Nothing in here. Your trash bin is empty!" => "Intet at se her. Din papirkurv er tom!", "Restore" => "Gendan", diff --git a/apps/files_trashbin/l10n/de.php b/apps/files_trashbin/l10n/de.php index 6a30bcfbbba..ad6e0839bd6 100644 --- a/apps/files_trashbin/l10n/de.php +++ b/apps/files_trashbin/l10n/de.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Endgültig löschen", "Name" => "Name", "Deleted" => "gelöscht", -"_%n folder_::_%n folders_" => array("",""), -"_%n file_::_%n files_" => array("",""), +"_%n folder_::_%n folders_" => array("","%n Ordner"), +"_%n file_::_%n files_" => array("","%n Dateien"), "restored" => "Wiederhergestellt", "Nothing in here. Your trash bin is empty!" => "Nichts zu löschen, der Papierkorb ist leer!", "Restore" => "Wiederherstellen", diff --git a/apps/files_trashbin/l10n/de_DE.php b/apps/files_trashbin/l10n/de_DE.php index 5c2c515f7c1..0df69412801 100644 --- a/apps/files_trashbin/l10n/de_DE.php +++ b/apps/files_trashbin/l10n/de_DE.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Endgültig löschen", "Name" => "Name", "Deleted" => "Gelöscht", -"_%n folder_::_%n folders_" => array("",""), -"_%n file_::_%n files_" => array("",""), +"_%n folder_::_%n folders_" => array("%n Ordner","%n Ordner"), +"_%n file_::_%n files_" => array("%n Dateien","%n Dateien"), "restored" => "Wiederhergestellt", "Nothing in here. Your trash bin is empty!" => "Nichts zu löschen, Ihr Papierkorb ist leer!", "Restore" => "Wiederherstellen", diff --git a/apps/files_trashbin/l10n/fi_FI.php b/apps/files_trashbin/l10n/fi_FI.php index 0c18b774a97..f03950981c0 100644 --- a/apps/files_trashbin/l10n/fi_FI.php +++ b/apps/files_trashbin/l10n/fi_FI.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Poista pysyvästi", "Name" => "Nimi", "Deleted" => "Poistettu", -"_%n folder_::_%n folders_" => array("",""), -"_%n file_::_%n files_" => array("",""), +"_%n folder_::_%n folders_" => array("%n kansio","%n kansiota"), +"_%n file_::_%n files_" => array("%n tiedosto","%n tiedostoa"), "restored" => "palautettu", "Nothing in here. Your trash bin is empty!" => "Tyhjää täynnä! Roskakorissa ei ole mitään.", "Restore" => "Palauta", diff --git a/apps/files_trashbin/l10n/gl.php b/apps/files_trashbin/l10n/gl.php index 034ba13c3fe..568c17607fe 100644 --- a/apps/files_trashbin/l10n/gl.php +++ b/apps/files_trashbin/l10n/gl.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Eliminar permanentemente", "Name" => "Nome", "Deleted" => "Eliminado", -"_%n folder_::_%n folders_" => array("",""), -"_%n file_::_%n files_" => array("",""), +"_%n folder_::_%n folders_" => array("%n cartafol","%n cartafoles"), +"_%n file_::_%n files_" => array("%n ficheiro","%n ficheiros"), "restored" => "restaurado", "Nothing in here. Your trash bin is empty!" => "Aquí non hai nada. O cesto do lixo está baleiro!", "Restore" => "Restablecer", diff --git a/apps/files_trashbin/l10n/ja_JP.php b/apps/files_trashbin/l10n/ja_JP.php index 62a541ea2b8..eb9748d57c0 100644 --- a/apps/files_trashbin/l10n/ja_JP.php +++ b/apps/files_trashbin/l10n/ja_JP.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "完全に削除する", "Name" => "名前", "Deleted" => "削除済み", -"_%n folder_::_%n folders_" => array(""), -"_%n file_::_%n files_" => array(""), +"_%n folder_::_%n folders_" => array("%n個のフォルダ"), +"_%n file_::_%n files_" => array("%n個のファイル"), "restored" => "復元済", "Nothing in here. Your trash bin is empty!" => "ここには何もありません。ゴミ箱は空です!", "Restore" => "復元", diff --git a/apps/files_trashbin/l10n/tr.php b/apps/files_trashbin/l10n/tr.php index 08fb0a02031..f25b179bc1e 100644 --- a/apps/files_trashbin/l10n/tr.php +++ b/apps/files_trashbin/l10n/tr.php @@ -8,8 +8,9 @@ $TRANSLATIONS = array( "Delete permanently" => "Kalıcı olarak sil", "Name" => "İsim", "Deleted" => "Silindi", -"_%n folder_::_%n folders_" => array("",""), -"_%n file_::_%n files_" => array("",""), +"_%n folder_::_%n folders_" => array("","%n dizin"), +"_%n file_::_%n files_" => array("","%n dosya"), +"restored" => "geri yüklendi", "Nothing in here. Your trash bin is empty!" => "Burası boş. Çöp kutun tamamen boş.", "Restore" => "Geri yükle", "Delete" => "Sil", diff --git a/apps/files_trashbin/l10n/zh_CN.GB2312.php b/apps/files_trashbin/l10n/zh_CN.GB2312.php index 4bd7cc2cee6..eaa97bb1b6f 100644 --- a/apps/files_trashbin/l10n/zh_CN.GB2312.php +++ b/apps/files_trashbin/l10n/zh_CN.GB2312.php @@ -3,8 +3,10 @@ $TRANSLATIONS = array( "Error" => "出错", "Delete permanently" => "永久删除", "Name" => "名称", -"_%n folder_::_%n folders_" => array(""), -"_%n file_::_%n files_" => array(""), -"Delete" => "删除" +"_%n folder_::_%n folders_" => array("%n 个文件夹"), +"_%n file_::_%n files_" => array("%n 个文件"), +"Restore" => "恢复", +"Delete" => "删除", +"Deleted Files" => "删除的文件" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/apps/files_versions/l10n/cs_CZ.php b/apps/files_versions/l10n/cs_CZ.php index a2fc76d443d..45ce297eae5 100644 --- a/apps/files_versions/l10n/cs_CZ.php +++ b/apps/files_versions/l10n/cs_CZ.php @@ -1,8 +1,8 @@ "Nelze navrátit: %s", +"Could not revert: %s" => "Nelze vrátit: %s", "Versions" => "Verze", -"Failed to revert {file} to revision {timestamp}." => "Selhalo navrácení souboru {file} na verzi {timestamp}.", +"Failed to revert {file} to revision {timestamp}." => "Selhalo vrácení souboru {file} na verzi {timestamp}.", "More versions..." => "Více verzí...", "No other versions available" => "Žádné další verze nejsou dostupné", "Restore" => "Obnovit" diff --git a/apps/files_versions/l10n/zh_CN.GB2312.php b/apps/files_versions/l10n/zh_CN.GB2312.php index aa0a59b71a3..de340d6dc94 100644 --- a/apps/files_versions/l10n/zh_CN.GB2312.php +++ b/apps/files_versions/l10n/zh_CN.GB2312.php @@ -1,6 +1,10 @@ "无法恢复:%s", -"Versions" => "版本" +"Versions" => "版本", +"Failed to revert {file} to revision {timestamp}." => "无法恢复文件 {file} 到 版本 {timestamp}。", +"More versions..." => "更多版本", +"No other versions available" => "没有其他可用版本", +"Restore" => "恢复" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/core/l10n/da.php b/core/l10n/da.php index f6498e5d334..f028331f891 100644 --- a/core/l10n/da.php +++ b/core/l10n/da.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "December", "Settings" => "Indstillinger", "seconds ago" => "sekunder siden", -"_%n minute ago_::_%n minutes ago_" => array("",""), -"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n minute ago_::_%n minutes ago_" => array("%n minut siden","%n minutter siden"), +"_%n hour ago_::_%n hours ago_" => array("%n time siden","%n timer siden"), "today" => "i dag", "yesterday" => "i går", -"_%n day ago_::_%n days ago_" => array("",""), +"_%n day ago_::_%n days ago_" => array("%n dag siden","%n dage siden"), "last month" => "sidste måned", -"_%n month ago_::_%n months ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("%n måned siden","%n måneder siden"), "months ago" => "måneder siden", "last year" => "sidste år", "years ago" => "år siden", @@ -84,6 +84,7 @@ $TRANSLATIONS = array( "Email sent" => "E-mail afsendt", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Opdateringen blev ikke udført korrekt. Rapporter venligst problemet til ownClouds community.", "The update was successful. Redirecting you to ownCloud now." => "Opdateringen blev udført korrekt. Du bliver nu viderestillet til ownCloud.", +"%s password reset" => "%s adgangskode nulstillet", "Use the following link to reset your password: {link}" => "Anvend følgende link til at nulstille din adgangskode: {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 ." => "Linket til at nulstille dit kodeord er blevet sendt til din e-post.
        Hvis du ikke modtager den inden for en rimelig tid, så tjek dine spam / junk mapper.
        Hvis det ikke er der, så spørg din lokale administrator.", "Request failed!
        Did you make sure your email/username was right?" => "Anmodning mislykkedes!
        Er du sikker på at din e-post / brugernavn var korrekt?", diff --git a/core/l10n/de.php b/core/l10n/de.php index d8c7ae95582..c4b22ecd874 100644 --- a/core/l10n/de.php +++ b/core/l10n/de.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "Dezember", "Settings" => "Einstellungen", "seconds ago" => "Gerade eben", -"_%n minute ago_::_%n minutes ago_" => array("",""), -"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n minute ago_::_%n minutes ago_" => array("Vor %n Minute","Vor %n Minuten"), +"_%n hour ago_::_%n hours ago_" => array("Vor %n Stunde","Vor %n Stunden"), "today" => "Heute", "yesterday" => "Gestern", -"_%n day ago_::_%n days ago_" => array("",""), +"_%n day ago_::_%n days ago_" => array("Vor %n Tag","Vor %n Tagen"), "last month" => "Letzten Monat", -"_%n month ago_::_%n months ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("Vor %n Monat","Vor %n Monaten"), "months ago" => "Vor Monaten", "last year" => "Letztes Jahr", "years ago" => "Vor Jahren", @@ -84,6 +84,7 @@ $TRANSLATIONS = array( "Email sent" => "E-Mail wurde verschickt", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Das Update ist fehlgeschlagen. Bitte melde dieses Problem an die ownCloud Community.", "The update was successful. Redirecting you to ownCloud now." => "Das Update war erfolgreich. Du wirst nun zu ownCloud weitergeleitet.", +"%s password reset" => "%s-Passwort zurücksetzen", "Use the following link to reset your password: {link}" => "Nutze den nachfolgenden Link, um Dein Passwort zurückzusetzen: {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 ." => "Der Link zum Rücksetzen Deines Passwort ist an Deine E-Mail-Adresse geschickt worden.
        Wenn Du ihn nicht innerhalb einer vernünftigen Zeit empfängst, prüfe Deine Spam-Verzeichnisse.
        Wenn er nicht dort ist, frage Deinen lokalen Administrator.", "Request failed!
        Did you make sure your email/username was right?" => "Anfrage fehlgeschlagen!
        Hast Du darauf geachtet, dass Deine E-Mail/Dein Benutzername korrekt war?", diff --git a/core/l10n/de_DE.php b/core/l10n/de_DE.php index e505610a6d2..a323fd08193 100644 --- a/core/l10n/de_DE.php +++ b/core/l10n/de_DE.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "Dezember", "Settings" => "Einstellungen", "seconds ago" => "Gerade eben", -"_%n minute ago_::_%n minutes ago_" => array("",""), -"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n minute ago_::_%n minutes ago_" => array("Vor %n Minute","Vor %n Minuten"), +"_%n hour ago_::_%n hours ago_" => array("Vor %n Stunde","Vor %n Stunden"), "today" => "Heute", "yesterday" => "Gestern", -"_%n day ago_::_%n days ago_" => array("",""), +"_%n day ago_::_%n days ago_" => array("Vor %n Tag","Vor %n Tagen"), "last month" => "Letzten Monat", -"_%n month ago_::_%n months ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("Vor %n Monat","Vor %n Monaten"), "months ago" => "Vor Monaten", "last year" => "Letztes Jahr", "years ago" => "Vor Jahren", @@ -84,6 +84,7 @@ $TRANSLATIONS = array( "Email sent" => "Email gesendet", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Das Update ist fehlgeschlagen. Bitte melden Sie dieses Problem an die ownCloud Community.", "The update was successful. Redirecting you to ownCloud now." => "Das Update war erfolgreich. Sie werden nun zu ownCloud weitergeleitet.", +"%s password reset" => "%s-Passwort zurücksetzen", "Use the following link to reset your password: {link}" => "Nutzen Sie den nachfolgenden Link, um Ihr Passwort zurückzusetzen: {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 ." => "Der Link zum Rücksetzen Ihres Passworts ist an Ihre E-Mail-Adresse gesendet worde.
        Wenn Sie ihn nicht innerhalb einer vernünftigen Zeitspanne erhalten, prüfen Sie bitte Ihre Spam-Verzeichnisse.
        Wenn er nicht dort ist, fragen Sie Ihren lokalen Administrator.", "Request failed!
        Did you make sure your email/username was right?" => "Anfrage fehlgeschlagen!
        Haben Sie darauf geachtet, dass E-Mail-Adresse/Nutzername korrekt waren?", diff --git a/core/l10n/es.php b/core/l10n/es.php index 677f881da42..fba08b9f60a 100644 --- a/core/l10n/es.php +++ b/core/l10n/es.php @@ -82,7 +82,7 @@ $TRANSLATIONS = array( "Error setting expiration date" => "Error estableciendo fecha de caducidad", "Sending ..." => "Enviando...", "Email sent" => "Correo electrónico enviado", -"The update was unsuccessful. Please report this issue to the ownCloud community." => "La actualización ha fracasado. Por favor, informe de este problema a la Comunidad de ownCloud.", +"The update was unsuccessful. Please report this issue to the ownCloud community." => "La actualización ha fracasado. Por favor, informe de este problema a la Comunidad de ownCloud.", "The update was successful. Redirecting you to ownCloud now." => "La actualización se ha realizado con éxito. Redireccionando a ownCloud ahora.", "Use the following link to reset your password: {link}" => "Utilice el siguiente enlace para restablecer su contraseña: {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 ." => "El enlace para restablecer la contraseña ha sido enviada a su correo electrónico.
        Si no lo recibe en un plazo razonable de tiempo, revise su carpeta de spam / correo no deseado.
        Si no está allí, pregunte a su administrador local.", diff --git a/core/l10n/fi_FI.php b/core/l10n/fi_FI.php index 5741f2ce6fb..22d35c14716 100644 --- a/core/l10n/fi_FI.php +++ b/core/l10n/fi_FI.php @@ -28,13 +28,13 @@ $TRANSLATIONS = array( "December" => "joulukuu", "Settings" => "Asetukset", "seconds ago" => "sekuntia sitten", -"_%n minute ago_::_%n minutes ago_" => array("",""), -"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n minute ago_::_%n minutes ago_" => array("%n minuutti sitten","%n minuuttia sitten"), +"_%n hour ago_::_%n hours ago_" => array("%n tunti sitten","%n tuntia sitten"), "today" => "tänään", "yesterday" => "eilen", -"_%n day ago_::_%n days ago_" => array("",""), +"_%n day ago_::_%n days ago_" => array("%n päivä sitten","%n päivää sitten"), "last month" => "viime kuussa", -"_%n month ago_::_%n months ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("%n kuukausi sitten","%n kuukautta sitten"), "months ago" => "kuukautta sitten", "last year" => "viime vuonna", "years ago" => "vuotta sitten", diff --git a/core/l10n/gl.php b/core/l10n/gl.php index d5492456ca0..5c505567768 100644 --- a/core/l10n/gl.php +++ b/core/l10n/gl.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "decembro", "Settings" => "Axustes", "seconds ago" => "segundos atrás", -"_%n minute ago_::_%n minutes ago_" => array("",""), -"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n minute ago_::_%n minutes ago_" => array("hai %n minuto","hai %n minutos"), +"_%n hour ago_::_%n hours ago_" => array("hai %n hora","hai %n horas"), "today" => "hoxe", "yesterday" => "onte", -"_%n day ago_::_%n days ago_" => array("",""), +"_%n day ago_::_%n days ago_" => array("hai %n día","hai %n días"), "last month" => "último mes", -"_%n month ago_::_%n months ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("hai %n mes","hai %n meses"), "months ago" => "meses atrás", "last year" => "último ano", "years ago" => "anos atrás", @@ -84,6 +84,7 @@ $TRANSLATIONS = array( "Email sent" => "Correo enviado", "The update was unsuccessful. Please report this issue to the ownCloud community." => "A actualización non foi satisfactoria, informe deste problema á comunidade de ownCloud.", "The update was successful. Redirecting you to ownCloud now." => "A actualización realizouse correctamente. Redirixíndoo agora á ownCloud.", +"%s password reset" => "Restabelecer o contrasinal %s", "Use the following link to reset your password: {link}" => "Usa a seguinte ligazón para restabelecer o contrasinal: {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 ." => "Envióuselle ao seu correo unha ligazón para restabelecer o seu contrasinal.
        Se non o recibe nun prazo razoábel de tempo, revise o seu cartafol de correo lixo ou de non desexados.
        Se non o atopa aí pregúntelle ao seu administrador local..", "Request failed!
        Did you make sure your email/username was right?" => "Non foi posíbel facer a petición!
        Asegúrese de que o seu enderezo de correo ou nome de usuario é correcto.", diff --git a/core/l10n/pt_BR.php b/core/l10n/pt_BR.php index 892807452c1..7542dd730af 100644 --- a/core/l10n/pt_BR.php +++ b/core/l10n/pt_BR.php @@ -84,6 +84,7 @@ $TRANSLATIONS = array( "Email sent" => "E-mail enviado", "The update was unsuccessful. Please report this issue to the ownCloud community." => "A atualização falhou. Por favor, relate este problema para a comunidade ownCloud.", "The update was successful. Redirecting you to ownCloud now." => "A atualização teve êxito. Você será redirecionado ao ownCloud agora.", +"%s password reset" => "%s redefinir senha", "Use the following link to reset your password: {link}" => "Use o seguinte link para redefinir sua senha: {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 ." => "O link para redefinir sua senha foi enviada para o seu e-mail.
        Se você não recebê-lo dentro de um período razoável de tempo, verifique o spam/lixo.
        Se ele não estiver lá perguntar ao seu administrador local.", "Request failed!
        Did you make sure your email/username was right?" => "O pedido falhou!
        Certifique-se que seu e-mail/username estavam corretos?", diff --git a/core/l10n/tr.php b/core/l10n/tr.php index 8628aa60a98..2a552e1798e 100644 --- a/core/l10n/tr.php +++ b/core/l10n/tr.php @@ -1,7 +1,7 @@ "%s sizinle »%s« paylaşımında bulundu", -"Category type not provided." => "Kategori türü desteklenmemektedir.", +"Category type not provided." => "Kategori türü girilmedi.", "No category to add?" => "Eklenecek kategori yok?", "This category already exists: %s" => "Bu kategori zaten mevcut: %s", "Object type not provided." => "Nesne türü desteklenmemektedir.", @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "Aralık", "Settings" => "Ayarlar", "seconds ago" => "saniye önce", -"_%n minute ago_::_%n minutes ago_" => array("",""), -"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n minute ago_::_%n minutes ago_" => array("%n dakika önce","%n dakika önce"), +"_%n hour ago_::_%n hours ago_" => array("%n saat önce","%n saat önce"), "today" => "bugün", "yesterday" => "dün", -"_%n day ago_::_%n days ago_" => array("",""), +"_%n day ago_::_%n days ago_" => array("%n gün önce","%n gün önce"), "last month" => "geçen ay", -"_%n month ago_::_%n months ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("%n ay önce","%n ay önce"), "months ago" => "ay önce", "last year" => "geçen yıl", "years ago" => "yıl önce", @@ -84,6 +84,7 @@ $TRANSLATIONS = array( "Email sent" => "Eposta gönderildi", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Güncelleme başarılı olmadı. Lütfen bu hatayı bildirin ownCloud community.", "The update was successful. Redirecting you to ownCloud now." => "Güncelleme başarılı. ownCloud'a yönlendiriliyor.", +"%s password reset" => "%s parola sıfırlama", "Use the following link to reset your password: {link}" => "Bu bağlantıyı kullanarak parolanızı sıfırlayı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 ." => "Parolanızı değiştirme bağlantısı e-posta adresinize gönderildi.
        I Eğer makül bir süre içerisinde mesajı almadıysanız spam/junk dizinini kontrol ediniz.
        Eğer orada da bulamazsanız sistem yöneticinize sorunuz.", "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?", @@ -108,9 +109,11 @@ $TRANSLATIONS = array( "Add" => "Ekle", "Security Warning" => "Güvenlik Uyarisi", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "PHP sürümünüz NULL Byte saldırısına açık (CVE-2006-7243)", +"Please update your PHP installation to use %s securely." => "%s güvenli olarak kullanmak için, lütfen PHP kurulumunuzu güncelleyin.", "No secure random number generator is available, please enable the PHP OpenSSL extension." => "Güvenli rasgele sayı üreticisi bulunamadı. Lütfen PHP OpenSSL eklentisini etkinleştirin.", "Without a secure random number generator an attacker may be able to predict password reset tokens and take over your account." => "Güvenli rasgele sayı üreticisi olmadan saldırganlar parola sıfırlama simgelerini tahmin edip hesabınızı ele geçirebilir.", "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." => "Veri klasörünüz ve dosyalarınız .htaccess dosyası çalışmadığı için internet'ten erişime açık.", +"For information how to properly configure your server, please see the documentation." => "Server'ınızı nasıl ayarlayacağınıza dair bilgi için, lütfen dokümantasyon sayfasını ziyaret edin.", "Create an admin account" => "Bir yönetici hesabı oluşturun", "Advanced" => "Gelişmiş", "Data folder" => "Veri klasörü", @@ -124,6 +127,7 @@ $TRANSLATIONS = array( "Finish setup" => "Kurulumu tamamla", "%s is available. Get more information on how to update." => "%s mevcuttur. Güncelleştirme hakkında daha fazla bilgi alın.", "Log out" => "Çıkış yap", +"More apps" => "Daha fazla Uygulama", "Automatic logon rejected!" => "Otomatik oturum açma reddedildi!", "If you did not change your password recently, your account may be compromised!" => "Yakın zamanda parolanızı değiştirmedi iseniz hesabınız riske girebilir.", "Please change your password to secure your account again." => "Hesabınızı korumak için lütfen parolanızı değiştirin.", diff --git a/core/l10n/zh_CN.GB2312.php b/core/l10n/zh_CN.GB2312.php index 6d55d7f5121..7b3a2564878 100644 --- a/core/l10n/zh_CN.GB2312.php +++ b/core/l10n/zh_CN.GB2312.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "十二月", "Settings" => "设置", "seconds ago" => "秒前", -"_%n minute ago_::_%n minutes ago_" => array(""), -"_%n hour ago_::_%n hours ago_" => array(""), +"_%n minute ago_::_%n minutes ago_" => array("%n 分钟以前"), +"_%n hour ago_::_%n hours ago_" => array("%n 小时以前"), "today" => "今天", "yesterday" => "昨天", -"_%n day ago_::_%n days ago_" => array(""), +"_%n day ago_::_%n days ago_" => array("%n 天以前"), "last month" => "上个月", -"_%n month ago_::_%n months ago_" => array(""), +"_%n month ago_::_%n months ago_" => array("%n 个月以前"), "months ago" => "月前", "last year" => "去年", "years ago" => "年前", @@ -84,6 +84,7 @@ $TRANSLATIONS = array( "Email sent" => "电子邮件已发送", "The update was unsuccessful. Please report this issue to the ownCloud community." => "升级失败。请向ownCloud社区报告此问题。", "The update was successful. Redirecting you to ownCloud now." => "升级成功。现在为您跳转到ownCloud。", +"%s password reset" => "%s 密码重置", "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 ." => "重置密码的连接已经通过邮件到您的邮箱。
        如果你没有收到邮件,可能是由于要再等一下,或者检查一下您的垃圾邮件夹。
        如果还是没有收到,请联系您的系统管理员。", "Request failed!
        Did you make sure your email/username was right?" => "请求失败!
        你确定你的邮件地址/用户名是正确的?", @@ -126,6 +127,7 @@ $TRANSLATIONS = array( "Finish setup" => "完成安装", "%s is available. Get more information on how to update." => "%s 是可用的。获取更多关于升级的信息。", "Log out" => "注销", +"More apps" => "更多应用", "Automatic logon rejected!" => "自动登录被拒绝!", "If you did not change your password recently, your account may be compromised!" => "如果您最近没有修改您的密码,那您的帐号可能被攻击了!", "Please change your password to secure your account again." => "请修改您的密码以保护账户。", diff --git a/l10n/af_ZA/files.po b/l10n/af_ZA/files.po index 2eb2aa7bcee..23d5bd79143 100644 --- a/l10n/af_ZA/files.po +++ b/l10n/af_ZA/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" @@ -156,17 +152,13 @@ msgstr "" msgid "undo" msgstr "" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -307,6 +299,10 @@ msgstr "" msgid "Unshare" msgstr "" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "" + #: templates/index.php:105 msgid "Upload too large" msgstr "" diff --git a/l10n/ar/files.po b/l10n/ar/files.po index 2f9759aeb71..231fe63b4d0 100644 --- a/l10n/ar/files.po +++ b/l10n/ar/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "شارك" msgid "Delete permanently" msgstr "حذف بشكل دائم" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "إلغاء" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "إعادة تسميه" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "قيد الانتظار" @@ -156,11 +152,7 @@ msgstr "استبدل {new_name} بـ {old_name}" msgid "undo" msgstr "تراجع" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "جاري تنفيذ عملية الحذف" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" @@ -170,7 +162,7 @@ msgstr[3] "" msgstr[4] "" msgstr[5] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -319,6 +311,10 @@ msgstr "تحميل" msgid "Unshare" msgstr "إلغاء مشاركة" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "إلغاء" + #: templates/index.php:105 msgid "Upload too large" msgstr "حجم الترفيع أعلى من المسموح" diff --git a/l10n/be/files.po b/l10n/be/files.po index 66c2d81dabc..c25701d9cc4 100644 --- a/l10n/be/files.po +++ b/l10n/be/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" @@ -156,11 +152,7 @@ msgstr "" msgid "undo" msgstr "" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" @@ -168,7 +160,7 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -313,6 +305,10 @@ msgstr "" msgid "Unshare" msgstr "" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "" + #: templates/index.php:105 msgid "Upload too large" msgstr "" diff --git a/l10n/bg_BG/files.po b/l10n/bg_BG/files.po index 3dc6cd15d87..9c5bdeb8b10 100644 --- a/l10n/bg_BG/files.po +++ b/l10n/bg_BG/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "Споделяне" msgid "Delete permanently" msgstr "Изтриване завинаги" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Изтриване" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Преименуване" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Чакащо" @@ -156,17 +152,13 @@ msgstr "" msgid "undo" msgstr "възтановяване" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -307,6 +299,10 @@ msgstr "Изтегляне" msgid "Unshare" msgstr "" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Изтриване" + #: templates/index.php:105 msgid "Upload too large" msgstr "Файлът който сте избрали за качване е прекалено голям" diff --git a/l10n/bn_BD/files.po b/l10n/bn_BD/files.po index 09289f17be2..d5e9b24e076 100644 --- a/l10n/bn_BD/files.po +++ b/l10n/bn_BD/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "ভাগাভাগি কর" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "মুছে" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "পূনঃনামকরণ" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "মুলতুবি" @@ -156,17 +152,13 @@ msgstr "{new_name} কে {old_name} নামে প্রতিস্থাপ msgid "undo" msgstr "ক্রিয়া প্রত্যাহার" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -307,6 +299,10 @@ msgstr "ডাউনলোড" msgid "Unshare" msgstr "ভাগাভাগি বাতিল " +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "মুছে" + #: templates/index.php:105 msgid "Upload too large" msgstr "আপলোডের আকারটি অনেক বড়" diff --git a/l10n/bs/files.po b/l10n/bs/files.po index f628bc21898..112380c4ce7 100644 --- a/l10n/bs/files.po +++ b/l10n/bs/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "Podijeli" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" @@ -156,18 +152,14 @@ msgstr "" msgid "undo" msgstr "" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -310,6 +302,10 @@ msgstr "" msgid "Unshare" msgstr "" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "" + #: templates/index.php:105 msgid "Upload too large" msgstr "" diff --git a/l10n/ca/files.po b/l10n/ca/files.po index 3840ad7971d..a6bd337655e 100644 --- a/l10n/ca/files.po +++ b/l10n/ca/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -122,15 +122,11 @@ msgstr "Comparteix" msgid "Delete permanently" msgstr "Esborra permanentment" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Esborra" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Reanomena" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Pendent" @@ -158,17 +154,13 @@ msgstr "s'ha substituït {old_name} per {new_name}" msgid "undo" msgstr "desfés" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "executa d'operació d'esborrar" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "fitxers pujant" @@ -309,6 +301,10 @@ msgstr "Baixa" msgid "Unshare" msgstr "Deixa de compartir" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Esborra" + #: templates/index.php:105 msgid "Upload too large" msgstr "La pujada és massa gran" diff --git a/l10n/cs_CZ/core.po b/l10n/cs_CZ/core.po index 2ee7bf18d26..ed23a4058a7 100644 --- a/l10n/cs_CZ/core.po +++ b/l10n/cs_CZ/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-15 18:33+0000\n" +"Last-Translator: pstast \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" @@ -146,59 +146,59 @@ msgstr "Prosinec" msgid "Settings" msgstr "Nastavení" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "před pár vteřinami" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "dnes" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "včera" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "minulý měsíc" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "před měsíci" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "minulý rok" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "před lety" diff --git a/l10n/cs_CZ/files.po b/l10n/cs_CZ/files.po index ca77eae4c1e..6086a138d9e 100644 --- a/l10n/cs_CZ/files.po +++ b/l10n/cs_CZ/files.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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -123,15 +123,11 @@ msgstr "Sdílet" msgid "Delete permanently" msgstr "Trvale odstranit" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Smazat" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Přejmenovat" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Nevyřízené" @@ -159,18 +155,14 @@ msgstr "nahrazeno {new_name} s {old_name}" msgid "undo" msgstr "vrátit zpět" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "provést smazání" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "soubory se odesílají" @@ -313,6 +305,10 @@ msgstr "Stáhnout" msgid "Unshare" msgstr "Zrušit sdílení" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Smazat" + #: templates/index.php:105 msgid "Upload too large" msgstr "Odesílaný soubor je příliš velký" diff --git a/l10n/cs_CZ/files_encryption.po b/l10n/cs_CZ/files_encryption.po index 1ae1e6e02fa..ce70af9cff7 100644 --- a/l10n/cs_CZ/files_encryption.po +++ b/l10n/cs_CZ/files_encryption.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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-14 17:00+0000\n" -"Last-Translator: janinko \n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-15 18:50+0000\n" +"Last-Translator: pstast \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" @@ -75,7 +75,7 @@ msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." -msgstr "Ujistěte se prosím, že máte nainstalované PHP 5.3.3 nebo novější, a že máte povolené a správně nakonfigurované OpenSSL včetně jeho rozšíření pro PHP. Prozatím byla aplikace pro šifrování vypnuta." +msgstr "Ujistěte se prosím, že máte nainstalované PHP 5.3.3 nebo novější a že máte povolené a správně nakonfigurované OpenSSL včetně jeho rozšíření pro PHP. Prozatím byla aplikace pro šifrování vypnuta." #: hooks/hooks.php:263 msgid "Following users are not set up for encryption:" diff --git a/l10n/cs_CZ/files_trashbin.po b/l10n/cs_CZ/files_trashbin.po index 52c74099704..776ed0a08de 100644 --- a/l10n/cs_CZ/files_trashbin.po +++ b/l10n/cs_CZ/files_trashbin.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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-15 18:43+0000\n" +"Last-Translator: pstast \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" diff --git a/l10n/cs_CZ/files_versions.po b/l10n/cs_CZ/files_versions.po index b1ed4bcc88f..bff662e4570 100644 --- a/l10n/cs_CZ/files_versions.po +++ b/l10n/cs_CZ/files_versions.po @@ -4,13 +4,14 @@ # # Translators: # Honza K. , 2013 +# pstast , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-30 01:55-0400\n" -"PO-Revision-Date: 2013-07-29 18:50+0000\n" -"Last-Translator: Honza K. \n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-15 18:50+0000\n" +"Last-Translator: pstast \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" @@ -21,7 +22,7 @@ msgstr "" #: ajax/rollbackVersion.php:13 #, php-format msgid "Could not revert: %s" -msgstr "Nelze navrátit: %s" +msgstr "Nelze vrátit: %s" #: js/versions.js:7 msgid "Versions" @@ -29,7 +30,7 @@ msgstr "Verze" #: js/versions.js:53 msgid "Failed to revert {file} to revision {timestamp}." -msgstr "Selhalo navrácení souboru {file} na verzi {timestamp}." +msgstr "Selhalo vrácení souboru {file} na verzi {timestamp}." #: js/versions.js:79 msgid "More versions..." diff --git a/l10n/cy_GB/files.po b/l10n/cy_GB/files.po index 5ef5e6ef8d4..24e30b40187 100644 --- a/l10n/cy_GB/files.po +++ b/l10n/cy_GB/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "Rhannu" msgid "Delete permanently" msgstr "Dileu'n barhaol" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Dileu" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Ailenwi" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "I ddod" @@ -156,11 +152,7 @@ msgstr "newidiwyd {new_name} yn lle {old_name}" msgid "undo" msgstr "dadwneud" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "cyflawni gweithred dileu" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" @@ -168,7 +160,7 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "ffeiliau'n llwytho i fyny" @@ -313,6 +305,10 @@ msgstr "Llwytho i lawr" msgid "Unshare" msgstr "Dad-rannu" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Dileu" + #: templates/index.php:105 msgid "Upload too large" msgstr "Maint llwytho i fyny'n rhy fawr" diff --git a/l10n/da/core.po b/l10n/da/core.po index 2966aa98494..99b3fdb8c67 100644 --- a/l10n/da/core.po +++ b/l10n/da/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:00+0000\n" +"Last-Translator: claus_chr \n" "Language-Team: Danish (http://www.transifex.com/projects/p/owncloud/language/da/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -145,55 +145,55 @@ msgstr "December" msgid "Settings" msgstr "Indstillinger" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "sekunder siden" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n minut siden" +msgstr[1] "%n minutter siden" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n time siden" +msgstr[1] "%n timer siden" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "i dag" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "i går" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n dag siden" +msgstr[1] "%n dage siden" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "sidste måned" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n måned siden" +msgstr[1] "%n måneder siden" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "måneder siden" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "sidste år" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "år siden" @@ -384,7 +384,7 @@ msgstr "Opdateringen blev udført korrekt. Du bliver nu viderestillet til ownClo #: lostpassword/controller.php:61 #, php-format msgid "%s password reset" -msgstr "" +msgstr "%s adgangskode nulstillet" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/da/files.po b/l10n/da/files.po index 8a78acb722a..168a6cd426a 100644 --- a/l10n/da/files.po +++ b/l10n/da/files.po @@ -4,13 +4,14 @@ # # Translators: # Sappe, 2013 +# claus_chr , 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -122,15 +123,11 @@ msgstr "Del" msgid "Delete permanently" msgstr "Slet permanent" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Slet" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Omdøb" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Afventer" @@ -158,17 +155,13 @@ msgstr "erstattede {new_name} med {old_name}" msgid "undo" msgstr "fortryd" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "udfør slet operation" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Uploader %n fil" +msgstr[1] "Uploader %n filer" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "uploader filer" @@ -219,14 +212,14 @@ msgstr "Ændret" #: js/files.js:762 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n mappe" +msgstr[1] "%n mapper" #: js/files.js:768 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n fil" +msgstr[1] "%n filer" #: lib/app.php:73 #, php-format @@ -309,6 +302,10 @@ msgstr "Download" msgid "Unshare" msgstr "Fjern deling" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Slet" + #: templates/index.php:105 msgid "Upload too large" msgstr "Upload er for stor" diff --git a/l10n/da/files_trashbin.po b/l10n/da/files_trashbin.po index a629083f8ba..3f0098ca862 100644 --- a/l10n/da/files_trashbin.po +++ b/l10n/da/files_trashbin.po @@ -4,13 +4,14 @@ # # Translators: # Sappe, 2013 +# claus_chr , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:00+0000\n" +"Last-Translator: claus_chr \n" "Language-Team: Danish (http://www.transifex.com/projects/p/owncloud/language/da/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -55,14 +56,14 @@ msgstr "Slettet" #: js/trash.js:191 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n mappe" +msgstr[1] "%n mapper" #: js/trash.js:197 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n fil" +msgstr[1] "%n filer" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/da/lib.po b/l10n/da/lib.po index 1d132880f9d..8e9c6124d75 100644 --- a/l10n/da/lib.po +++ b/l10n/da/lib.po @@ -4,14 +4,15 @@ # # Translators: # Sappe, 2013 +# claus_chr , 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:00+0000\n" +"Last-Translator: claus_chr \n" "Language-Team: Danish (http://www.transifex.com/projects/p/owncloud/language/da/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -210,14 +211,14 @@ msgstr "sekunder siden" #: template/functions.php:81 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n minut siden" +msgstr[1] "%n minutter siden" #: template/functions.php:82 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n time siden" +msgstr[1] "%n timer siden" #: template/functions.php:83 msgid "today" @@ -230,8 +231,8 @@ msgstr "i går" #: template/functions.php:85 msgid "%n day go" msgid_plural "%n days ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n dag siden" +msgstr[1] "%n dage siden" #: template/functions.php:86 msgid "last month" @@ -240,8 +241,8 @@ msgstr "sidste måned" #: template/functions.php:87 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n måned siden" +msgstr[1] "%n måneder siden" #: template/functions.php:88 msgid "last year" diff --git a/l10n/de/core.po b/l10n/de/core.po index 47ffc3c1458..3d323562a86 100644 --- a/l10n/de/core.po +++ b/l10n/de/core.po @@ -15,8 +15,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-15 09:20+0000\n" "Last-Translator: I Robot \n" "Language-Team: German \n" "MIME-Version: 1.0\n" @@ -149,55 +149,55 @@ msgstr "Dezember" msgid "Settings" msgstr "Einstellungen" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "Gerade eben" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Vor %n Minute" +msgstr[1] "Vor %n Minuten" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Vor %n Stunde" +msgstr[1] "Vor %n Stunden" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "Heute" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "Gestern" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Vor %n Tag" +msgstr[1] "Vor %n Tagen" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "Letzten Monat" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Vor %n Monat" +msgstr[1] "Vor %n Monaten" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "Vor Monaten" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "Letztes Jahr" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "Vor Jahren" @@ -388,7 +388,7 @@ msgstr "Das Update war erfolgreich. Du wirst nun zu ownCloud weitergeleitet." #: lostpassword/controller.php:61 #, php-format msgid "%s password reset" -msgstr "" +msgstr "%s-Passwort zurücksetzen" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/de/files.po b/l10n/de/files.po index 25793863df1..f58b5d5e1ed 100644 --- a/l10n/de/files.po +++ b/l10n/de/files.po @@ -3,6 +3,7 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# I Robot , 2013 # Marcel Kühlhorn , 2013 # ninov , 2013 # Pwnicorn , 2013 @@ -11,8 +12,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+0000\n" "Last-Translator: I Robot \n" "Language-Team: German \n" "MIME-Version: 1.0\n" @@ -124,15 +125,11 @@ msgstr "Teilen" msgid "Delete permanently" msgstr "Endgültig löschen" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Löschen" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Umbenennen" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Ausstehend" @@ -160,17 +157,13 @@ msgstr "{old_name} ersetzt durch {new_name}" msgid "undo" msgstr "rückgängig machen" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "Löschvorgang ausführen" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n Datei wird hochgeladen" +msgstr[1] "%n Dateien werden hochgeladen" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "Dateien werden hoch geladen" @@ -221,14 +214,14 @@ msgstr "Geändert" #: js/files.js:762 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n Ordner" +msgstr[1] "%n Ordner" #: js/files.js:768 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n Datei" +msgstr[1] "%n Dateien" #: lib/app.php:73 #, php-format @@ -311,6 +304,10 @@ msgstr "Herunterladen" msgid "Unshare" msgstr "Freigabe aufheben" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Löschen" + #: templates/index.php:105 msgid "Upload too large" msgstr "Der Upload ist zu groß" diff --git a/l10n/de/files_trashbin.po b/l10n/de/files_trashbin.po index 65d345b8f64..4d78f4aabd3 100644 --- a/l10n/de/files_trashbin.po +++ b/l10n/de/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-15 09:10+0000\n" "Last-Translator: I Robot \n" "Language-Team: German \n" "MIME-Version: 1.0\n" @@ -56,13 +56,13 @@ msgstr "gelöscht" msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -msgstr[1] "" +msgstr[1] "%n Ordner" #: js/trash.js:197 msgid "%n file" msgid_plural "%n files" msgstr[0] "" -msgstr[1] "" +msgstr[1] "%n Dateien" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/de/lib.po b/l10n/de/lib.po index c6fc4ba5f1a..88e04aff8a6 100644 --- a/l10n/de/lib.po +++ b/l10n/de/lib.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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-15 09:20+0000\n" "Last-Translator: I Robot \n" "Language-Team: German \n" "MIME-Version: 1.0\n" @@ -212,13 +212,13 @@ msgstr "Gerade eben" msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" -msgstr[1] "" +msgstr[1] "Vor %n Minuten" #: template/functions.php:82 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" -msgstr[1] "" +msgstr[1] "Vor %n Stunden" #: template/functions.php:83 msgid "today" @@ -232,7 +232,7 @@ msgstr "Gestern" msgid "%n day go" msgid_plural "%n days ago" msgstr[0] "" -msgstr[1] "" +msgstr[1] "Vor %n Tagen" #: template/functions.php:86 msgid "last month" @@ -242,7 +242,7 @@ msgstr "Letzten Monat" msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" -msgstr[1] "" +msgstr[1] "Vor %n Monaten" #: template/functions.php:88 msgid "last year" diff --git a/l10n/de_AT/files.po b/l10n/de_AT/files.po index c6a4736092c..6bb9f95f5e5 100644 --- a/l10n/de_AT/files.po +++ b/l10n/de_AT/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Austria) (http://www.transifex.com/projects/p/owncloud/language/de_AT/)\n" "MIME-Version: 1.0\n" @@ -120,15 +120,11 @@ msgstr "" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" @@ -156,17 +152,13 @@ msgstr "" msgid "undo" msgstr "" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -307,6 +299,10 @@ msgstr "" msgid "Unshare" msgstr "" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "" + #: templates/index.php:105 msgid "Upload too large" msgstr "" diff --git a/l10n/de_CH/files.po b/l10n/de_CH/files.po index 8c11b8866e7..20aca9d1ea2 100644 --- a/l10n/de_CH/files.po +++ b/l10n/de_CH/files.po @@ -15,8 +15,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Switzerland) (http://www.transifex.com/projects/p/owncloud/language/de_CH/)\n" "MIME-Version: 1.0\n" @@ -128,15 +128,11 @@ msgstr "Teilen" msgid "Delete permanently" msgstr "Endgültig löschen" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Löschen" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Umbenennen" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Ausstehend" @@ -164,17 +160,13 @@ msgstr "{old_name} wurde ersetzt durch {new_name}" msgid "undo" msgstr "rückgängig machen" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "Löschvorgang ausführen" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "Dateien werden hoch geladen" @@ -315,6 +307,10 @@ msgstr "Herunterladen" msgid "Unshare" msgstr "Freigabe aufheben" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Löschen" + #: templates/index.php:105 msgid "Upload too large" msgstr "Der Upload ist zu gross" diff --git a/l10n/de_DE/core.po b/l10n/de_DE/core.po index 80603ff03ae..beccc7cb9aa 100644 --- a/l10n/de_DE/core.po +++ b/l10n/de_DE/core.po @@ -9,13 +9,14 @@ # Marcel Kühlhorn , 2013 # Mario Siegmann , 2013 # traductor , 2013 +# noxin , 2013 # Mirodin , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-15 09:30+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" @@ -148,55 +149,55 @@ msgstr "Dezember" msgid "Settings" msgstr "Einstellungen" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "Gerade eben" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Vor %n Minute" +msgstr[1] "Vor %n Minuten" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Vor %n Stunde" +msgstr[1] "Vor %n Stunden" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "Heute" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "Gestern" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Vor %n Tag" +msgstr[1] "Vor %n Tagen" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "Letzten Monat" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Vor %n Monat" +msgstr[1] "Vor %n Monaten" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "Vor Monaten" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "Letztes Jahr" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "Vor Jahren" @@ -387,7 +388,7 @@ msgstr "Das Update war erfolgreich. Sie werden nun zu ownCloud weitergeleitet." #: lostpassword/controller.php:61 #, php-format msgid "%s password reset" -msgstr "" +msgstr "%s-Passwort zurücksetzen" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/de_DE/files.po b/l10n/de_DE/files.po index cad3b191dc2..fcaf5ce8f94 100644 --- a/l10n/de_DE/files.po +++ b/l10n/de_DE/files.po @@ -15,9 +15,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:50+0000\n" -"Last-Translator: noxin \n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"Last-Translator: I Robot \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -128,15 +128,11 @@ msgstr "Teilen" msgid "Delete permanently" msgstr "Endgültig löschen" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Löschen" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Umbenennen" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Ausstehend" @@ -164,17 +160,13 @@ msgstr "{old_name} wurde ersetzt durch {new_name}" msgid "undo" msgstr "rückgängig machen" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "Löschvorgang ausführen" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" -msgstr[0] "Es werden %n Dateien hochgeladen" -msgstr[1] "Es werden %n Dateien hochgeladen" +msgstr[0] "%n Datei wird hoch geladen" +msgstr[1] "%n Dateien werden hoch geladen" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "Dateien werden hoch geladen" @@ -225,14 +217,14 @@ msgstr "Geändert" #: js/files.js:762 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n Ordner" +msgstr[1] "%n Ordner" #: js/files.js:768 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n Datei" +msgstr[1] "%n Dateien" #: lib/app.php:73 #, php-format @@ -315,6 +307,10 @@ msgstr "Herunterladen" msgid "Unshare" msgstr "Freigabe aufheben" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Löschen" + #: templates/index.php:105 msgid "Upload too large" msgstr "Der Upload ist zu groß" diff --git a/l10n/de_DE/files_trashbin.po b/l10n/de_DE/files_trashbin.po index d42fec3eb75..1875dbf8bfc 100644 --- a/l10n/de_DE/files_trashbin.po +++ b/l10n/de_DE/files_trashbin.po @@ -4,13 +4,14 @@ # # Translators: # Mario Siegmann , 2013 +# noxin , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-15 09:01+0000\n" +"Last-Translator: noxin \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -55,14 +56,14 @@ msgstr "Gelöscht" #: js/trash.js:191 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n Ordner" +msgstr[1] "%n Ordner" #: js/trash.js:197 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n Dateien" +msgstr[1] "%n Dateien" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/de_DE/lib.po b/l10n/de_DE/lib.po index 3a5acf70279..c702b000410 100644 --- a/l10n/de_DE/lib.po +++ b/l10n/de_DE/lib.po @@ -5,13 +5,14 @@ # Translators: # Mario Siegmann , 2013 # traductor , 2013 +# noxin , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-15 09:10+0000\n" +"Last-Translator: noxin \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -210,14 +211,14 @@ msgstr "Gerade eben" #: template/functions.php:81 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Vor %n Minute" +msgstr[1] "Vor %n Minuten" #: template/functions.php:82 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Vor %n Stunde" +msgstr[1] "Vor %n Stunden" #: template/functions.php:83 msgid "today" @@ -230,8 +231,8 @@ msgstr "Gestern" #: template/functions.php:85 msgid "%n day go" msgid_plural "%n days ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Vor %n Tag" +msgstr[1] "Vor %n Tagen" #: template/functions.php:86 msgid "last month" @@ -240,8 +241,8 @@ msgstr "Letzten Monat" #: template/functions.php:87 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Vor %n Monat" +msgstr[1] "Vor %n Monaten" #: template/functions.php:88 msgid "last year" diff --git a/l10n/el/files.po b/l10n/el/files.po index 483abeaba5d..e5be16beb95 100644 --- a/l10n/el/files.po +++ b/l10n/el/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -122,15 +122,11 @@ msgstr "Διαμοιρασμός" msgid "Delete permanently" msgstr "Μόνιμη διαγραφή" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Διαγραφή" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Μετονομασία" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Εκκρεμεί" @@ -158,17 +154,13 @@ msgstr "αντικαταστάθηκε το {new_name} με {old_name}" msgid "undo" msgstr "αναίρεση" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "εκτέλεση της διαδικασίας διαγραφής" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "αρχεία ανεβαίνουν" @@ -309,6 +301,10 @@ msgstr "Λήψη" msgid "Unshare" msgstr "Σταμάτημα διαμοιρασμού" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Διαγραφή" + #: templates/index.php:105 msgid "Upload too large" msgstr "Πολύ μεγάλο αρχείο προς αποστολή" diff --git a/l10n/en@pirate/files.po b/l10n/en@pirate/files.po index 49638f0cca2..68fdd38747c 100644 --- a/l10n/en@pirate/files.po +++ b/l10n/en@pirate/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" @@ -156,17 +152,13 @@ msgstr "" msgid "undo" msgstr "" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -307,6 +299,10 @@ msgstr "Download" msgid "Unshare" msgstr "" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "" + #: templates/index.php:105 msgid "Upload too large" msgstr "" diff --git a/l10n/eo/files.po b/l10n/eo/files.po index 9e2617e412d..6b434ac68d5 100644 --- a/l10n/eo/files.po +++ b/l10n/eo/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -121,15 +121,11 @@ msgstr "Kunhavigi" msgid "Delete permanently" msgstr "Forigi por ĉiam" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Forigi" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Alinomigi" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Traktotaj" @@ -157,17 +153,13 @@ msgstr "anstataŭiĝis {new_name} per {old_name}" msgid "undo" msgstr "malfari" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "plenumi forigan operacion" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "dosieroj estas alŝutataj" @@ -308,6 +300,10 @@ msgstr "Elŝuti" msgid "Unshare" msgstr "Malkunhavigi" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Forigi" + #: templates/index.php:105 msgid "Upload too large" msgstr "Alŝuto tro larĝa" diff --git a/l10n/es/core.po b/l10n/es/core.po index 89a2465d445..195bdf7047b 100644 --- a/l10n/es/core.po +++ b/l10n/es/core.po @@ -5,6 +5,7 @@ # Translators: # Art O. Pal , 2013 # ggam , 2013 +# I Robot , 2013 # msoko , 2013 # pablomillaquen , 2013 # saskarip , 2013 @@ -15,8 +16,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-15 13:50+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" @@ -149,55 +150,55 @@ msgstr "Diciembre" msgid "Settings" msgstr "Ajustes" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "hace segundos" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "hoy" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "ayer" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "el mes pasado" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "hace meses" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "el año pasado" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "hace años" @@ -379,7 +380,7 @@ 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." +msgstr "La actualización ha fracasado. Por favor, informe de este problema a la Comunidad de ownCloud." #: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." diff --git a/l10n/es/files.po b/l10n/es/files.po index 6dd3bd3f4ad..593c9f3b6b0 100644 --- a/l10n/es/files.po +++ b/l10n/es/files.po @@ -12,8 +12,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -125,15 +125,11 @@ msgstr "Compartir" msgid "Delete permanently" msgstr "Eliminar permanentemente" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Eliminar" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Renombrar" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Pendiente" @@ -161,17 +157,13 @@ msgstr "reemplazado {new_name} con {old_name}" msgid "undo" msgstr "deshacer" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "Realizar operación de borrado" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "subiendo archivos" @@ -312,6 +304,10 @@ msgstr "Descargar" msgid "Unshare" msgstr "Dejar de compartir" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Eliminar" + #: templates/index.php:105 msgid "Upload too large" msgstr "Subida demasido grande" diff --git a/l10n/es_AR/files.po b/l10n/es_AR/files.po index 942c654beb6..46a83c8e5b6 100644 --- a/l10n/es_AR/files.po +++ b/l10n/es_AR/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -122,15 +122,11 @@ msgstr "Compartir" msgid "Delete permanently" msgstr "Borrar permanentemente" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Borrar" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Cambiar nombre" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Pendientes" @@ -158,17 +154,13 @@ msgstr "se reemplazó {new_name} con {old_name}" msgid "undo" msgstr "deshacer" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "Llevar a cabo borrado" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "Subiendo archivos" @@ -309,6 +301,10 @@ msgstr "Descargar" msgid "Unshare" msgstr "Dejar de compartir" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Borrar" + #: templates/index.php:105 msgid "Upload too large" msgstr "El tamaño del archivo que querés subir es demasiado grande" diff --git a/l10n/et_EE/files.po b/l10n/et_EE/files.po index 2420df62528..06ecbbff1c1 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -122,15 +122,11 @@ msgstr "Jaga" msgid "Delete permanently" msgstr "Kustuta jäädavalt" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Kustuta" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Nimeta ümber" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Ootel" @@ -158,17 +154,13 @@ msgstr "asendas nime {old_name} nimega {new_name}" msgid "undo" msgstr "tagasi" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "teosta kustutamine" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "faili üleslaadimisel" @@ -309,6 +301,10 @@ msgstr "Lae alla" msgid "Unshare" msgstr "Lõpeta jagamine" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Kustuta" + #: templates/index.php:105 msgid "Upload too large" msgstr "Üleslaadimine on liiga suur" diff --git a/l10n/eu/files.po b/l10n/eu/files.po index 401167b0fc2..9c3c84c8910 100644 --- a/l10n/eu/files.po +++ b/l10n/eu/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -121,15 +121,11 @@ msgstr "Elkarbanatu" msgid "Delete permanently" msgstr "Ezabatu betirako" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Ezabatu" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Berrizendatu" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Zain" @@ -157,17 +153,13 @@ msgstr " {new_name}-k {old_name} ordezkatu du" msgid "undo" msgstr "desegin" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "Ezabatu" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "fitxategiak igotzen" @@ -308,6 +300,10 @@ msgstr "Deskargatu" msgid "Unshare" msgstr "Ez elkarbanatu" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Ezabatu" + #: templates/index.php:105 msgid "Upload too large" msgstr "Igoera handiegia da" diff --git a/l10n/fa/files.po b/l10n/fa/files.po index 8a93ed80018..6e40c2131b1 100644 --- a/l10n/fa/files.po +++ b/l10n/fa/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -121,15 +121,11 @@ msgstr "اشتراک‌گذاری" msgid "Delete permanently" msgstr "حذف قطعی" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "حذف" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "تغییرنام" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "در انتظار" @@ -157,16 +153,12 @@ msgstr "{نام_جدید} با { نام_قدیمی} جایگزین شد." msgid "undo" msgstr "بازگشت" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "انجام عمل حذف" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "بارگذاری فایل ها" @@ -305,6 +297,10 @@ msgstr "دانلود" msgid "Unshare" msgstr "لغو اشتراک" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "حذف" + #: templates/index.php:105 msgid "Upload too large" msgstr "سایز فایل برای آپلود زیاد است(م.تنظیمات در php.ini)" diff --git a/l10n/fi_FI/core.po b/l10n/fi_FI/core.po index c568ee69521..8a0396f34e6 100644 --- a/l10n/fi_FI/core.po +++ b/l10n/fi_FI/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-15 09:10+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" @@ -142,55 +142,55 @@ msgstr "joulukuu" msgid "Settings" msgstr "Asetukset" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "sekuntia sitten" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n minuutti sitten" +msgstr[1] "%n minuuttia sitten" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n tunti sitten" +msgstr[1] "%n tuntia sitten" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "tänään" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "eilen" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n päivä sitten" +msgstr[1] "%n päivää sitten" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "viime kuussa" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n kuukausi sitten" +msgstr[1] "%n kuukautta sitten" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "kuukautta sitten" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "viime vuonna" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "vuotta sitten" diff --git a/l10n/fi_FI/files.po b/l10n/fi_FI/files.po index 8ac0bd2bb30..7c17c30cb9e 100644 --- a/l10n/fi_FI/files.po +++ b/l10n/fi_FI/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -121,15 +121,11 @@ msgstr "Jaa" msgid "Delete permanently" msgstr "Poista pysyvästi" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Poista" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Nimeä uudelleen" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Odottaa" @@ -157,17 +153,13 @@ msgstr "" msgid "undo" msgstr "kumoa" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "suorita poistotoiminto" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Lähetetään %n tiedosto" +msgstr[1] "Lähetetään %n tiedostoa" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -218,14 +210,14 @@ msgstr "Muokattu" #: js/files.js:762 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n kansio" +msgstr[1] "%n kansiota" #: js/files.js:768 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n tiedosto" +msgstr[1] "%n tiedostoa" #: lib/app.php:73 #, php-format @@ -308,6 +300,10 @@ msgstr "Lataa" msgid "Unshare" msgstr "Peru jakaminen" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Poista" + #: templates/index.php:105 msgid "Upload too large" msgstr "Lähetettävä tiedosto on liian suuri" diff --git a/l10n/fi_FI/files_trashbin.po b/l10n/fi_FI/files_trashbin.po index d49cd73b908..717af8af88c 100644 --- a/l10n/fi_FI/files_trashbin.po +++ b/l10n/fi_FI/files_trashbin.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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-15 09:01+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" @@ -55,14 +55,14 @@ msgstr "Poistettu" #: js/trash.js:191 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n kansio" +msgstr[1] "%n kansiota" #: js/trash.js:197 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n tiedosto" +msgstr[1] "%n tiedostoa" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/fi_FI/lib.po b/l10n/fi_FI/lib.po index 04bbdf3a797..c6d87b9c59e 100644 --- a/l10n/fi_FI/lib.po +++ b/l10n/fi_FI/lib.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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-15 09:10+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" @@ -209,14 +209,14 @@ msgstr "sekuntia sitten" #: template/functions.php:81 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n minuutti sitten" +msgstr[1] "%n minuuttia sitten" #: template/functions.php:82 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n tunti sitten" +msgstr[1] "%n tuntia sitten" #: template/functions.php:83 msgid "today" @@ -229,8 +229,8 @@ msgstr "eilen" #: template/functions.php:85 msgid "%n day go" msgid_plural "%n days ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n päivä sitten" +msgstr[1] "%n päivää sitten" #: template/functions.php:86 msgid "last month" @@ -239,8 +239,8 @@ msgstr "viime kuussa" #: template/functions.php:87 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n kuukausi sitten" +msgstr[1] "%n kuukautta sitten" #: template/functions.php:88 msgid "last year" @@ -252,7 +252,7 @@ msgstr "vuotta sitten" #: template.php:297 msgid "Caused by:" -msgstr "" +msgstr "Aiheuttaja:" #: vcategories.php:188 vcategories.php:249 #, php-format diff --git a/l10n/fr/files.po b/l10n/fr/files.po index e1bb8333cb3..b13ec6d53c3 100644 --- a/l10n/fr/files.po +++ b/l10n/fr/files.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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -123,15 +123,11 @@ msgstr "Partager" msgid "Delete permanently" msgstr "Supprimer de façon définitive" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Supprimer" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Renommer" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "En attente" @@ -159,17 +155,13 @@ msgstr "{new_name} a été remplacé par {old_name}" msgid "undo" msgstr "annuler" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "effectuer l'opération de suppression" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "fichiers en cours d'envoi" @@ -310,6 +302,10 @@ msgstr "Télécharger" msgid "Unshare" msgstr "Ne plus partager" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Supprimer" + #: templates/index.php:105 msgid "Upload too large" msgstr "Téléversement trop volumineux" diff --git a/l10n/gl/core.po b/l10n/gl/core.po index c7eccad163f..465eb303ab1 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-15 10:30+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" @@ -142,55 +142,55 @@ msgstr "decembro" msgid "Settings" msgstr "Axustes" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "segundos atrás" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "hai %n minuto" +msgstr[1] "hai %n minutos" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "hai %n hora" +msgstr[1] "hai %n horas" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "hoxe" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "onte" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "hai %n día" +msgstr[1] "hai %n días" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "último mes" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "hai %n mes" +msgstr[1] "hai %n meses" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "meses atrás" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "último ano" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "anos atrás" @@ -381,7 +381,7 @@ msgstr "A actualización realizouse correctamente. Redirixíndoo agora á ownClo #: lostpassword/controller.php:61 #, php-format msgid "%s password reset" -msgstr "" +msgstr "Restabelecer o contrasinal %s" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/gl/files.po b/l10n/gl/files.po index 7d01856d083..bf0d006d7ae 100644 --- a/l10n/gl/files.po +++ b/l10n/gl/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -121,15 +121,11 @@ msgstr "Compartir" msgid "Delete permanently" msgstr "Eliminar permanentemente" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Eliminar" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Renomear" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Pendentes" @@ -157,17 +153,13 @@ msgstr "substituír {new_name} por {old_name}" msgid "undo" msgstr "desfacer" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "realizar a operación de eliminación" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Cargando %n ficheiro" +msgstr[1] "Cargando %n ficheiros" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "ficheiros enviándose" @@ -218,14 +210,14 @@ msgstr "Modificado" #: js/files.js:762 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n cartafol" +msgstr[1] "%n cartafoles" #: js/files.js:768 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n ficheiro" +msgstr[1] "%n ficheiros" #: lib/app.php:73 #, php-format @@ -308,6 +300,10 @@ msgstr "Descargar" msgid "Unshare" msgstr "Deixar de compartir" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Eliminar" + #: templates/index.php:105 msgid "Upload too large" msgstr "Envío demasiado grande" diff --git a/l10n/gl/files_trashbin.po b/l10n/gl/files_trashbin.po index 2a1193ea633..ad7adc59d70 100644 --- a/l10n/gl/files_trashbin.po +++ b/l10n/gl/files_trashbin.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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-15 10: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" "Content-Type: text/plain; charset=UTF-8\n" @@ -55,14 +55,14 @@ msgstr "Eliminado" #: js/trash.js:191 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n cartafol" +msgstr[1] "%n cartafoles" #: js/trash.js:197 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n ficheiro" +msgstr[1] "%n ficheiros" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/gl/lib.po b/l10n/gl/lib.po index 0ed2450f993..8f5d1c95fa9 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-15 10:30+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" @@ -209,14 +209,14 @@ msgstr "segundos atrás" #: template/functions.php:81 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "hai %n minuto" +msgstr[1] "hai %n minutos" #: template/functions.php:82 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "hai %n hora" +msgstr[1] "hai %n horas" #: template/functions.php:83 msgid "today" @@ -229,8 +229,8 @@ msgstr "onte" #: template/functions.php:85 msgid "%n day go" msgid_plural "%n days ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "hai %n día" +msgstr[1] "hai %n días" #: template/functions.php:86 msgid "last month" @@ -239,8 +239,8 @@ msgstr "último mes" #: template/functions.php:87 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "hai %n mes" +msgstr[1] "hai %n meses" #: template/functions.php:88 msgid "last year" diff --git a/l10n/he/files.po b/l10n/he/files.po index 90b64157ff9..523cab114d4 100644 --- a/l10n/he/files.po +++ b/l10n/he/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -121,15 +121,11 @@ msgstr "שתף" msgid "Delete permanently" msgstr "מחק לצמיתות" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "מחיקה" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "שינוי שם" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "ממתין" @@ -157,17 +153,13 @@ msgstr "{new_name} הוחלף ב־{old_name}" msgid "undo" msgstr "ביטול" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "ביצוע פעולת מחיקה" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "קבצים בהעלאה" @@ -308,6 +300,10 @@ msgstr "הורדה" msgid "Unshare" msgstr "הסר שיתוף" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "מחיקה" + #: templates/index.php:105 msgid "Upload too large" msgstr "העלאה גדולה מידי" diff --git a/l10n/hi/files.po b/l10n/hi/files.po index 0afb104096a..e15750a9842 100644 --- a/l10n/hi/files.po +++ b/l10n/hi/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "साझा करें" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" @@ -156,17 +152,13 @@ msgstr "" msgid "undo" msgstr "" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -307,6 +299,10 @@ msgstr "" msgid "Unshare" msgstr "" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "" + #: templates/index.php:105 msgid "Upload too large" msgstr "" diff --git a/l10n/hr/files.po b/l10n/hr/files.po index 44cc369c33d..ad1dd62f473 100644 --- a/l10n/hr/files.po +++ b/l10n/hr/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "Podijeli" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Obriši" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Promjeni ime" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "U tijeku" @@ -156,18 +152,14 @@ msgstr "" msgid "undo" msgstr "vrati" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "datoteke se učitavaju" @@ -310,6 +302,10 @@ msgstr "Preuzimanje" msgid "Unshare" msgstr "Makni djeljenje" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Obriši" + #: templates/index.php:105 msgid "Upload too large" msgstr "Prijenos je preobiman" diff --git a/l10n/hu_HU/files.po b/l10n/hu_HU/files.po index 241024a5af1..f3c43820b2d 100644 --- a/l10n/hu_HU/files.po +++ b/l10n/hu_HU/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -121,15 +121,11 @@ msgstr "Megosztás" msgid "Delete permanently" msgstr "Végleges törlés" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Törlés" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Átnevezés" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Folyamatban" @@ -157,17 +153,13 @@ msgstr "{new_name} fájlt kicseréltük ezzel: {old_name}" msgid "undo" msgstr "visszavonás" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "a törlés végrehajtása" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "fájl töltődik föl" @@ -308,6 +300,10 @@ msgstr "Letöltés" msgid "Unshare" msgstr "A megosztás visszavonása" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Törlés" + #: templates/index.php:105 msgid "Upload too large" msgstr "A feltöltés túl nagy" diff --git a/l10n/hy/files.po b/l10n/hy/files.po index 2849dd25426..43c435dd47c 100644 --- a/l10n/hy/files.po +++ b/l10n/hy/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Ջնջել" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" @@ -156,17 +152,13 @@ msgstr "" msgid "undo" msgstr "" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -307,6 +299,10 @@ msgstr "Բեռնել" msgid "Unshare" msgstr "" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Ջնջել" + #: templates/index.php:105 msgid "Upload too large" msgstr "" diff --git a/l10n/ia/files.po b/l10n/ia/files.po index 1d30b72298d..d9fb2c5d01d 100644 --- a/l10n/ia/files.po +++ b/l10n/ia/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "Compartir" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Deler" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" @@ -156,17 +152,13 @@ msgstr "" msgid "undo" msgstr "" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -307,6 +299,10 @@ msgstr "Discargar" msgid "Unshare" msgstr "" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Deler" + #: templates/index.php:105 msgid "Upload too large" msgstr "Incargamento troppo longe" diff --git a/l10n/id/files.po b/l10n/id/files.po index 9960e7da9b4..72b3b847353 100644 --- a/l10n/id/files.po +++ b/l10n/id/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "Bagikan" msgid "Delete permanently" msgstr "Hapus secara permanen" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Hapus" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Ubah nama" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Menunggu" @@ -156,16 +152,12 @@ msgstr "mengganti {new_name} dengan {old_name}" msgid "undo" msgstr "urungkan" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "Lakukan operasi penghapusan" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "berkas diunggah" @@ -304,6 +296,10 @@ msgstr "Unduh" msgid "Unshare" msgstr "Batalkan berbagi" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Hapus" + #: templates/index.php:105 msgid "Upload too large" msgstr "Yang diunggah terlalu besar" diff --git a/l10n/is/files.po b/l10n/is/files.po index 41f6c945b1b..516265cd8bc 100644 --- a/l10n/is/files.po +++ b/l10n/is/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "Deila" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Eyða" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Endurskýra" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Bíður" @@ -156,17 +152,13 @@ msgstr "yfirskrifaði {new_name} með {old_name}" msgid "undo" msgstr "afturkalla" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -307,6 +299,10 @@ msgstr "Niðurhal" msgid "Unshare" msgstr "Hætta deilingu" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Eyða" + #: templates/index.php:105 msgid "Upload too large" msgstr "Innsend skrá er of stór" diff --git a/l10n/it/files.po b/l10n/it/files.po index b68d3239db7..b45c88102ae 100644 --- a/l10n/it/files.po +++ b/l10n/it/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -122,15 +122,11 @@ msgstr "Condividi" msgid "Delete permanently" msgstr "Elimina definitivamente" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Elimina" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Rinomina" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "In corso" @@ -158,17 +154,13 @@ msgstr "sostituito {new_name} con {old_name}" msgid "undo" msgstr "annulla" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "esegui l'operazione di eliminazione" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "caricamento file" @@ -309,6 +301,10 @@ msgstr "Scarica" msgid "Unshare" msgstr "Rimuovi condivisione" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Elimina" + #: templates/index.php:105 msgid "Upload too large" msgstr "Caricamento troppo grande" diff --git a/l10n/ja_JP/files.po b/l10n/ja_JP/files.po index 428cfbd6c09..158193bb446 100644 --- a/l10n/ja_JP/files.po +++ b/l10n/ja_JP/files.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -124,15 +124,11 @@ msgstr "共有" msgid "Delete permanently" msgstr "完全に削除する" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "削除" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "名前の変更" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "中断" @@ -160,16 +156,12 @@ msgstr "{old_name} を {new_name} に置換" msgid "undo" msgstr "元に戻す" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "削除を実行" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "ファイルをアップロード中" @@ -220,12 +212,12 @@ msgstr "変更" #: js/files.js:762 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" +msgstr[0] "%n個のフォルダ" #: js/files.js:768 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" +msgstr[0] "%n個のファイル" #: lib/app.php:73 #, php-format @@ -308,6 +300,10 @@ msgstr "ダウンロード" msgid "Unshare" msgstr "共有解除" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "削除" + #: templates/index.php:105 msgid "Upload too large" msgstr "アップロードには大きすぎます。" diff --git a/l10n/ja_JP/files_trashbin.po b/l10n/ja_JP/files_trashbin.po index ca33f876289..a52a5067369 100644 --- a/l10n/ja_JP/files_trashbin.po +++ b/l10n/ja_JP/files_trashbin.po @@ -3,14 +3,15 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# plazmism , 2013 # tt yn , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-15 09:50+0000\n" +"Last-Translator: plazmism \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" @@ -55,12 +56,12 @@ msgstr "削除済み" #: js/trash.js:191 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" +msgstr[0] "%n個のフォルダ" #: js/trash.js:197 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" +msgstr[0] "%n個のファイル" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/ka/files.po b/l10n/ka/files.po index dc14167acc5..00dc4cd0813 100644 --- a/l10n/ka/files.po +++ b/l10n/ka/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" @@ -156,16 +152,12 @@ msgstr "" msgid "undo" msgstr "" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -304,6 +296,10 @@ msgstr "გადმოწერა" msgid "Unshare" msgstr "" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "" + #: templates/index.php:105 msgid "Upload too large" msgstr "" diff --git a/l10n/ka_GE/files.po b/l10n/ka_GE/files.po index f9ce44f87b2..81c86807103 100644 --- a/l10n/ka_GE/files.po +++ b/l10n/ka_GE/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "გაზიარება" msgid "Delete permanently" msgstr "სრულად წაშლა" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "წაშლა" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "გადარქმევა" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "მოცდის რეჟიმში" @@ -156,16 +152,12 @@ msgstr "{new_name} შეცვლილია {old_name}–ით" msgid "undo" msgstr "დაბრუნება" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "მიმდინარეობს წაშლის ოპერაცია" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "ფაილები იტვირთება" @@ -304,6 +296,10 @@ msgstr "ჩამოტვირთვა" msgid "Unshare" msgstr "გაუზიარებადი" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "წაშლა" + #: templates/index.php:105 msgid "Upload too large" msgstr "ასატვირთი ფაილი ძალიან დიდია" diff --git a/l10n/kn/files.po b/l10n/kn/files.po index f0bd3f4a111..5bee995f8da 100644 --- a/l10n/kn/files.po +++ b/l10n/kn/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" @@ -156,16 +152,12 @@ msgstr "" msgid "undo" msgstr "" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -304,6 +296,10 @@ msgstr "" msgid "Unshare" msgstr "" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "" + #: templates/index.php:105 msgid "Upload too large" msgstr "" diff --git a/l10n/ko/files.po b/l10n/ko/files.po index a5f246cc2e2..ea560820d2e 100644 --- a/l10n/ko/files.po +++ b/l10n/ko/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -122,15 +122,11 @@ msgstr "공유" msgid "Delete permanently" msgstr "영원히 삭제" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "삭제" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "이름 바꾸기" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "대기 중" @@ -158,16 +154,12 @@ msgstr "{old_name}이(가) {new_name}(으)로 대체됨" msgid "undo" msgstr "되돌리기" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "삭제 작업중" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "파일 업로드중" @@ -306,6 +298,10 @@ msgstr "다운로드" msgid "Unshare" msgstr "공유 해제" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "삭제" + #: templates/index.php:105 msgid "Upload too large" msgstr "업로드한 파일이 너무 큼" diff --git a/l10n/ku_IQ/files.po b/l10n/ku_IQ/files.po index fe37c0ff65f..b2937589101 100644 --- a/l10n/ku_IQ/files.po +++ b/l10n/ku_IQ/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" @@ -156,17 +152,13 @@ msgstr "" msgid "undo" msgstr "" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -307,6 +299,10 @@ msgstr "داگرتن" msgid "Unshare" msgstr "" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "" + #: templates/index.php:105 msgid "Upload too large" msgstr "" diff --git a/l10n/lb/files.po b/l10n/lb/files.po index 9797f147e49..0c2ffd231e4 100644 --- a/l10n/lb/files.po +++ b/l10n/lb/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "Deelen" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Läschen" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" @@ -156,17 +152,13 @@ msgstr "" msgid "undo" msgstr "réckgängeg man" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -307,6 +299,10 @@ msgstr "Download" msgid "Unshare" msgstr "Net méi deelen" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Läschen" + #: templates/index.php:105 msgid "Upload too large" msgstr "Upload ze grouss" diff --git a/l10n/lt_LT/files.po b/l10n/lt_LT/files.po index bda949f1ad9..0c3e536b2b6 100644 --- a/l10n/lt_LT/files.po +++ b/l10n/lt_LT/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -121,15 +121,11 @@ msgstr "Dalintis" msgid "Delete permanently" msgstr "Ištrinti negrįžtamai" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Ištrinti" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Pervadinti" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Laukiantis" @@ -157,18 +153,14 @@ msgstr "pakeiskite {new_name} į {old_name}" msgid "undo" msgstr "anuliuoti" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "ištrinti" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "įkeliami failai" @@ -311,6 +303,10 @@ msgstr "Atsisiųsti" msgid "Unshare" msgstr "Nebesidalinti" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Ištrinti" + #: templates/index.php:105 msgid "Upload too large" msgstr "Įkėlimui failas per didelis" diff --git a/l10n/lv/files.po b/l10n/lv/files.po index c327fc7be6c..bc8feee326f 100644 --- a/l10n/lv/files.po +++ b/l10n/lv/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "Dalīties" msgid "Delete permanently" msgstr "Dzēst pavisam" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Dzēst" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Pārsaukt" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Gaida savu kārtu" @@ -156,18 +152,14 @@ msgstr "aizvietoja {new_name} ar {old_name}" msgid "undo" msgstr "atsaukt" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "veikt dzēšanas darbību" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -310,6 +302,10 @@ msgstr "Lejupielādēt" msgid "Unshare" msgstr "Pārtraukt dalīšanos" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Dzēst" + #: templates/index.php:105 msgid "Upload too large" msgstr "Datne ir par lielu, lai to augšupielādētu" diff --git a/l10n/mk/files.po b/l10n/mk/files.po index 117b21ccfe4..7273af472ee 100644 --- a/l10n/mk/files.po +++ b/l10n/mk/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "Сподели" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Избриши" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Преименувај" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Чека" @@ -156,17 +152,13 @@ msgstr "заменета {new_name} со {old_name}" msgid "undo" msgstr "врати" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -307,6 +299,10 @@ msgstr "Преземи" msgid "Unshare" msgstr "Не споделувај" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Избриши" + #: templates/index.php:105 msgid "Upload too large" msgstr "Фајлот кој се вчитува е преголем" diff --git a/l10n/ml_IN/files.po b/l10n/ml_IN/files.po index 35132c50fa2..6152a6603be 100644 --- a/l10n/ml_IN/files.po +++ b/l10n/ml_IN/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" @@ -156,17 +152,13 @@ msgstr "" msgid "undo" msgstr "" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -307,6 +299,10 @@ msgstr "" msgid "Unshare" msgstr "" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "" + #: templates/index.php:105 msgid "Upload too large" msgstr "" diff --git a/l10n/ms_MY/files.po b/l10n/ms_MY/files.po index 9f421613c28..4ac055f2b8d 100644 --- a/l10n/ms_MY/files.po +++ b/l10n/ms_MY/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "Kongsi" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Padam" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Dalam proses" @@ -156,16 +152,12 @@ msgstr "" msgid "undo" msgstr "" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -304,6 +296,10 @@ msgstr "Muat turun" msgid "Unshare" msgstr "" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Padam" + #: templates/index.php:105 msgid "Upload too large" msgstr "Muatnaik terlalu besar" diff --git a/l10n/my_MM/files.po b/l10n/my_MM/files.po index dca3d0776b4..e13e42e4def 100644 --- a/l10n/my_MM/files.po +++ b/l10n/my_MM/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" @@ -156,16 +152,12 @@ msgstr "" msgid "undo" msgstr "" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -304,6 +296,10 @@ msgstr "ဒေါင်းလုတ်" msgid "Unshare" msgstr "" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "" + #: templates/index.php:105 msgid "Upload too large" msgstr "" diff --git a/l10n/nb_NO/files.po b/l10n/nb_NO/files.po index 84d2868ea50..bc5dd59d240 100644 --- a/l10n/nb_NO/files.po +++ b/l10n/nb_NO/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -122,15 +122,11 @@ msgstr "Del" msgid "Delete permanently" msgstr "Slett permanent" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Slett" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Omdøp" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Ventende" @@ -158,17 +154,13 @@ msgstr "erstatt {new_name} med {old_name}" msgid "undo" msgstr "angre" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "utfør sletting" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "filer lastes opp" @@ -309,6 +301,10 @@ msgstr "Last ned" msgid "Unshare" msgstr "Avslutt deling" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Slett" + #: templates/index.php:105 msgid "Upload too large" msgstr "Filen er for stor" diff --git a/l10n/ne/files.po b/l10n/ne/files.po index ece51f1910a..306604617a3 100644 --- a/l10n/ne/files.po +++ b/l10n/ne/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" @@ -156,17 +152,13 @@ msgstr "" msgid "undo" msgstr "" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -307,6 +299,10 @@ msgstr "" msgid "Unshare" msgstr "" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "" + #: templates/index.php:105 msgid "Upload too large" msgstr "" diff --git a/l10n/nl/files.po b/l10n/nl/files.po index 1822ad193bf..59bcbd7a4f3 100644 --- a/l10n/nl/files.po +++ b/l10n/nl/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -121,15 +121,11 @@ msgstr "Delen" msgid "Delete permanently" msgstr "Verwijder definitief" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Verwijder" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Hernoem" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "In behandeling" @@ -157,17 +153,13 @@ msgstr "verving {new_name} met {old_name}" msgid "undo" msgstr "ongedaan maken" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "uitvoeren verwijderactie" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "bestanden aan het uploaden" @@ -308,6 +300,10 @@ msgstr "Downloaden" msgid "Unshare" msgstr "Stop met delen" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Verwijder" + #: templates/index.php:105 msgid "Upload too large" msgstr "Upload is te groot" diff --git a/l10n/nn_NO/files.po b/l10n/nn_NO/files.po index fcc5e23ae5c..383366110d4 100644 --- a/l10n/nn_NO/files.po +++ b/l10n/nn_NO/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -122,15 +122,11 @@ msgstr "Del" msgid "Delete permanently" msgstr "Slett for godt" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Slett" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Endra namn" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Under vegs" @@ -158,17 +154,13 @@ msgstr "bytte ut {new_name} med {old_name}" msgid "undo" msgstr "angre" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "utfør sletting" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "filer lastar opp" @@ -309,6 +301,10 @@ msgstr "Last ned" msgid "Unshare" msgstr "Udel" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Slett" + #: templates/index.php:105 msgid "Upload too large" msgstr "For stor opplasting" diff --git a/l10n/oc/files.po b/l10n/oc/files.po index 457b51997ef..fc4c603ab8f 100644 --- a/l10n/oc/files.po +++ b/l10n/oc/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "Parteja" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Escafa" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Torna nomenar" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Al esperar" @@ -156,17 +152,13 @@ msgstr "" msgid "undo" msgstr "defar" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "fichièrs al amontcargar" @@ -307,6 +299,10 @@ msgstr "Avalcarga" msgid "Unshare" msgstr "Pas partejador" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Escafa" + #: templates/index.php:105 msgid "Upload too large" msgstr "Amontcargament tròp gròs" diff --git a/l10n/pl/files.po b/l10n/pl/files.po index 2f37a4f1819..6a873b2103e 100644 --- a/l10n/pl/files.po +++ b/l10n/pl/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -122,15 +122,11 @@ msgstr "Udostępnij" msgid "Delete permanently" msgstr "Trwale usuń" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Usuń" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Zmień nazwę" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Oczekujące" @@ -158,18 +154,14 @@ msgstr "zastąpiono {new_name} przez {old_name}" msgid "undo" msgstr "cofnij" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "wykonaj operację usunięcia" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "pliki wczytane" @@ -312,6 +304,10 @@ msgstr "Pobierz" msgid "Unshare" msgstr "Zatrzymaj współdzielenie" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Usuń" + #: templates/index.php:105 msgid "Upload too large" msgstr "Ładowany plik jest za duży" diff --git a/l10n/pt_BR/core.po b/l10n/pt_BR/core.po index 3bfe613cabb..d1f5964e4b1 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-15 09:30+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" @@ -143,55 +143,55 @@ msgstr "dezembro" msgid "Settings" msgstr "Ajustes" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "segundos atrás" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "hoje" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "ontem" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "último mês" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "meses atrás" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "último ano" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "anos atrás" @@ -382,7 +382,7 @@ msgstr "A atualização teve êxito. Você será redirecionado ao ownCloud agora #: lostpassword/controller.php:61 #, php-format msgid "%s password reset" -msgstr "" +msgstr "%s redefinir senha" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/pt_BR/files.po b/l10n/pt_BR/files.po index ffc0846ecd3..e8563501ebf 100644 --- a/l10n/pt_BR/files.po +++ b/l10n/pt_BR/files.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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -123,15 +123,11 @@ msgstr "Compartilhar" msgid "Delete permanently" msgstr "Excluir permanentemente" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Excluir" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Renomear" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Pendente" @@ -159,17 +155,13 @@ msgstr "Substituído {old_name} por {new_name} " msgid "undo" msgstr "desfazer" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "realizar operação de exclusão" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "enviando arquivos" @@ -310,6 +302,10 @@ msgstr "Baixar" msgid "Unshare" msgstr "Descompartilhar" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Excluir" + #: templates/index.php:105 msgid "Upload too large" msgstr "Upload muito grande" diff --git a/l10n/pt_PT/files.po b/l10n/pt_PT/files.po index 496c1b0ba47..6c6d02291a7 100644 --- a/l10n/pt_PT/files.po +++ b/l10n/pt_PT/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -122,15 +122,11 @@ msgstr "Partilhar" msgid "Delete permanently" msgstr "Eliminar permanentemente" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Eliminar" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Renomear" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Pendente" @@ -158,17 +154,13 @@ msgstr "substituido {new_name} por {old_name}" msgid "undo" msgstr "desfazer" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "Executar a tarefa de apagar" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "A enviar os ficheiros" @@ -309,6 +301,10 @@ msgstr "Transferir" msgid "Unshare" msgstr "Deixar de partilhar" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Eliminar" + #: templates/index.php:105 msgid "Upload too large" msgstr "Upload muito grande" diff --git a/l10n/ro/files.po b/l10n/ro/files.po index 07c31dd1434..93dc92fbfb4 100644 --- a/l10n/ro/files.po +++ b/l10n/ro/files.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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -123,15 +123,11 @@ msgstr "Partajează" msgid "Delete permanently" msgstr "Stergere permanenta" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Șterge" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Redenumire" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "În așteptare" @@ -159,18 +155,14 @@ msgstr "{new_name} inlocuit cu {old_name}" msgid "undo" msgstr "Anulează ultima acțiune" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "efectueaza operatiunea de stergere" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "fișiere se încarcă" @@ -313,6 +305,10 @@ msgstr "Descarcă" msgid "Unshare" msgstr "Anulare partajare" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Șterge" + #: templates/index.php:105 msgid "Upload too large" msgstr "Fișierul încărcat este prea mare" diff --git a/l10n/ro/lib.po b/l10n/ro/lib.po index 0aec6a81b4a..28319ce8b44 100644 --- a/l10n/ro/lib.po +++ b/l10n/ro/lib.po @@ -3,12 +3,13 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# I Robot , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-15 13:50+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" @@ -199,7 +200,7 @@ msgstr "Serverul de web nu este încă setat corespunzător pentru a permite sin #: setup.php:185 #, php-format msgid "Please double check the installation guides." -msgstr "Vă rugăm să verificați ghiduri de instalare." +msgstr "Vă rugăm să verificați ghiduri de instalare." #: template/functions.php:80 msgid "seconds ago" diff --git a/l10n/ru/files.po b/l10n/ru/files.po index eed35b95f72..1c35fe5430d 100644 --- a/l10n/ru/files.po +++ b/l10n/ru/files.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -124,15 +124,11 @@ msgstr "Открыть доступ" msgid "Delete permanently" msgstr "Удалено навсегда" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Удалить" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Переименовать" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Ожидание" @@ -160,18 +156,14 @@ msgstr "заменено {new_name} на {old_name}" msgid "undo" msgstr "отмена" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "выполнить операцию удаления" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "файлы загружаются" @@ -314,6 +306,10 @@ msgstr "Скачать" msgid "Unshare" msgstr "Закрыть общий доступ" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Удалить" + #: templates/index.php:105 msgid "Upload too large" msgstr "Файл слишком велик" diff --git a/l10n/si_LK/files.po b/l10n/si_LK/files.po index 5311955e9d2..57a6b5a168a 100644 --- a/l10n/si_LK/files.po +++ b/l10n/si_LK/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "බෙදා හදා ගන්න" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "මකා දමන්න" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "නැවත නම් කරන්න" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" @@ -156,17 +152,13 @@ msgstr "" msgid "undo" msgstr "නිෂ්ප්‍රභ කරන්න" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -307,6 +299,10 @@ msgstr "බාන්න" msgid "Unshare" msgstr "නොබෙදු" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "මකා දමන්න" + #: templates/index.php:105 msgid "Upload too large" msgstr "උඩුගත කිරීම විශාල වැඩිය" diff --git a/l10n/sk/files.po b/l10n/sk/files.po index 1e164aa3dca..03e5389517a 100644 --- a/l10n/sk/files.po +++ b/l10n/sk/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" @@ -156,18 +152,14 @@ msgstr "" msgid "undo" msgstr "" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -310,6 +302,10 @@ msgstr "" msgid "Unshare" msgstr "" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "" + #: templates/index.php:105 msgid "Upload too large" msgstr "" diff --git a/l10n/sk_SK/files.po b/l10n/sk_SK/files.po index d6958617e50..998fb959654 100644 --- a/l10n/sk_SK/files.po +++ b/l10n/sk_SK/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -121,15 +121,11 @@ msgstr "Zdieľať" msgid "Delete permanently" msgstr "Zmazať trvalo" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Zmazať" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Premenovať" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Prebieha" @@ -157,18 +153,14 @@ msgstr "prepísaný {new_name} súborom {old_name}" msgid "undo" msgstr "vrátiť" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "vykonať zmazanie" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "nahrávanie súborov" @@ -311,6 +303,10 @@ msgstr "Sťahovanie" msgid "Unshare" msgstr "Zrušiť zdieľanie" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Zmazať" + #: templates/index.php:105 msgid "Upload too large" msgstr "Nahrávanie je príliš veľké" diff --git a/l10n/sl/files.po b/l10n/sl/files.po index c3d977dbb32..00ab5c60460 100644 --- a/l10n/sl/files.po +++ b/l10n/sl/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -121,15 +121,11 @@ msgstr "Souporaba" msgid "Delete permanently" msgstr "Izbriši dokončno" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Izbriši" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Preimenuj" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "V čakanju ..." @@ -157,11 +153,7 @@ msgstr "preimenovano ime {new_name} z imenom {old_name}" msgid "undo" msgstr "razveljavi" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "izvedi opravilo brisanja" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" @@ -169,7 +161,7 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "poteka pošiljanje datotek" @@ -314,6 +306,10 @@ msgstr "Prejmi" msgid "Unshare" msgstr "Prekliči souporabo" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Izbriši" + #: templates/index.php:105 msgid "Upload too large" msgstr "Prekoračenje omejitve velikosti" diff --git a/l10n/sq/files.po b/l10n/sq/files.po index a0cc88f6041..11d4fda7b97 100644 --- a/l10n/sq/files.po +++ b/l10n/sq/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "Nda" msgid "Delete permanently" msgstr "Elimino përfundimisht" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Elimino" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Riemërto" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Pezulluar" @@ -156,17 +152,13 @@ msgstr "U zëvëndësua {new_name} me {old_name}" msgid "undo" msgstr "anulo" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "ekzekuto operacionin e eliminimit" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "po ngarkoj skedarët" @@ -307,6 +299,10 @@ msgstr "Shkarko" msgid "Unshare" msgstr "Hiq ndarjen" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Elimino" + #: templates/index.php:105 msgid "Upload too large" msgstr "Ngarkimi është shumë i madh" diff --git a/l10n/sr/files.po b/l10n/sr/files.po index 6a510b356b1..53d08ff07cb 100644 --- a/l10n/sr/files.po +++ b/l10n/sr/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "Дели" msgid "Delete permanently" msgstr "Обриши за стално" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Обриши" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Преименуј" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "На чекању" @@ -156,18 +152,14 @@ msgstr "замењено {new_name} са {old_name}" msgid "undo" msgstr "опозови" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "обриши" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "датотеке се отпремају" @@ -310,6 +302,10 @@ msgstr "Преузми" msgid "Unshare" msgstr "Укини дељење" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Обриши" + #: templates/index.php:105 msgid "Upload too large" msgstr "Датотека је превелика" diff --git a/l10n/sr@latin/files.po b/l10n/sr@latin/files.po index 863ac3e7f68..50e770f67b7 100644 --- a/l10n/sr@latin/files.po +++ b/l10n/sr@latin/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Obriši" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" @@ -156,18 +152,14 @@ msgstr "" msgid "undo" msgstr "" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -310,6 +302,10 @@ msgstr "Preuzmi" msgid "Unshare" msgstr "" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Obriši" + #: templates/index.php:105 msgid "Upload too large" msgstr "Pošiljka je prevelika" diff --git a/l10n/sv/files.po b/l10n/sv/files.po index b2a64bde8cf..9702b4ee112 100644 --- a/l10n/sv/files.po +++ b/l10n/sv/files.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -124,15 +124,11 @@ msgstr "Dela" msgid "Delete permanently" msgstr "Radera permanent" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Radera" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Byt namn" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Väntar" @@ -160,17 +156,13 @@ msgstr "ersatt {new_name} med {old_name}" msgid "undo" msgstr "ångra" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "utför raderingen" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "filer laddas upp" @@ -311,6 +303,10 @@ msgstr "Ladda ner" msgid "Unshare" msgstr "Sluta dela" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Radera" + #: templates/index.php:105 msgid "Upload too large" msgstr "För stor uppladdning" diff --git a/l10n/sw_KE/files.po b/l10n/sw_KE/files.po index d234fdfc7b3..80c9d290d84 100644 --- a/l10n/sw_KE/files.po +++ b/l10n/sw_KE/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" @@ -156,17 +152,13 @@ msgstr "" msgid "undo" msgstr "" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -307,6 +299,10 @@ msgstr "" msgid "Unshare" msgstr "" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "" + #: templates/index.php:105 msgid "Upload too large" msgstr "" diff --git a/l10n/ta_LK/files.po b/l10n/ta_LK/files.po index 22787fe4795..ef480f6d5f4 100644 --- a/l10n/ta_LK/files.po +++ b/l10n/ta_LK/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "பகிர்வு" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "நீக்குக" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "பெயர்மாற்றம்" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "நிலுவையிலுள்ள" @@ -156,17 +152,13 @@ msgstr "{new_name} ஆனது {old_name} இனால் மாற்றப் msgid "undo" msgstr "முன் செயல் நீக்கம் " -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -307,6 +299,10 @@ msgstr "பதிவிறக்குக" msgid "Unshare" msgstr "பகிரப்படாதது" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "நீக்குக" + #: templates/index.php:105 msgid "Upload too large" msgstr "பதிவேற்றல் மிகப்பெரியது" diff --git a/l10n/te/files.po b/l10n/te/files.po index 0f9470cfbb8..8f42d68cd80 100644 --- a/l10n/te/files.po +++ b/l10n/te/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "" msgid "Delete permanently" msgstr "శాశ్వతంగా తొలగించు" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "తొలగించు" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" @@ -156,17 +152,13 @@ msgstr "" msgid "undo" msgstr "" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -307,6 +299,10 @@ msgstr "" msgid "Unshare" msgstr "" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "తొలగించు" + #: templates/index.php:105 msgid "Upload too large" msgstr "" diff --git a/l10n/templates/core.pot b/l10n/templates/core.pot index 9c1e7c8a3e1..4ad9a4187e0 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-08-15 04:47-0400\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -142,55 +142,55 @@ msgstr "" msgid "Settings" msgstr "" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "" diff --git a/l10n/templates/files.pot b/l10n/templates/files.pot index 47e0ff68ec3..cf40a67202c 100644 --- a/l10n/templates/files.pot +++ b/l10n/templates/files.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-08-15 04:47-0400\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -121,15 +121,11 @@ msgstr "" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" @@ -157,17 +153,13 @@ msgstr "" msgid "undo" msgstr "" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -308,6 +300,10 @@ msgstr "" msgid "Unshare" msgstr "" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "" + #: templates/index.php:105 msgid "Upload too large" msgstr "" diff --git a/l10n/templates/files_encryption.pot b/l10n/templates/files_encryption.pot index 362ebe2228c..ef73dc79613 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-08-15 04:47-0400\n" +"POT-Creation-Date: 2013-08-16 01:29-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 c714c261018..6fa16222813 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-08-15 04:47-0400\n" +"POT-Creation-Date: 2013-08-16 01:29-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_sharing.pot b/l10n/templates/files_sharing.pot index 79730114d3d..2e1bbd584b0 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-08-15 04:47-0400\n" +"POT-Creation-Date: 2013-08-16 01:29-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_trashbin.pot b/l10n/templates/files_trashbin.pot index 5ddde84ff38..2836a306cde 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-08-15 04:47-0400\n" +"POT-Creation-Date: 2013-08-16 01:29-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 dea5359fc0a..eb2c4eba9ce 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-08-15 04:47-0400\n" +"POT-Creation-Date: 2013-08-16 01:29-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 a44a0949804..befa7cfebaf 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-08-15 04:47-0400\n" +"POT-Creation-Date: 2013-08-16 01:29-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/settings.pot b/l10n/templates/settings.pot index 03a8a524e9a..80d557594ec 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-08-15 04:47-0400\n" +"POT-Creation-Date: 2013-08-16 01:29-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_ldap.pot b/l10n/templates/user_ldap.pot index 2c2db08e547..e4a2c71a93a 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-08-15 04:47-0400\n" +"POT-Creation-Date: 2013-08-16 01:29-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 40b6476b9df..0c13a6a320b 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-08-15 04:47-0400\n" +"POT-Creation-Date: 2013-08-16 01:29-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/files.po b/l10n/th_TH/files.po index 107f5264514..23054636f7a 100644 --- a/l10n/th_TH/files.po +++ b/l10n/th_TH/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "แชร์" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "ลบ" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "เปลี่ยนชื่อ" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "อยู่ระหว่างดำเนินการ" @@ -156,16 +152,12 @@ msgstr "แทนที่ {new_name} ด้วย {old_name} แล้ว" msgid "undo" msgstr "เลิกทำ" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "ดำเนินการตามคำสั่งลบ" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "การอัพโหลดไฟล์" @@ -304,6 +296,10 @@ msgstr "ดาวน์โหลด" msgid "Unshare" msgstr "ยกเลิกการแชร์" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "ลบ" + #: templates/index.php:105 msgid "Upload too large" msgstr "ไฟล์ที่อัพโหลดมีขนาดใหญ่เกินไป" diff --git a/l10n/tr/core.po b/l10n/tr/core.po index 9cb943bb0ac..671988fe77e 100644 --- a/l10n/tr/core.po +++ b/l10n/tr/core.po @@ -4,13 +4,14 @@ # # Translators: # ismail yenigül , 2013 +# tridinebandim, 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-15 10:20+0000\n" +"Last-Translator: tridinebandim\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" @@ -25,7 +26,7 @@ msgstr "%s sizinle »%s« paylaşımında bulundu" #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." -msgstr "Kategori türü desteklenmemektedir." +msgstr "Kategori türü girilmedi." #: ajax/vcategories/add.php:30 msgid "No category to add?" @@ -142,55 +143,55 @@ msgstr "Aralık" msgid "Settings" msgstr "Ayarlar" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "saniye önce" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n dakika önce" +msgstr[1] "%n dakika önce" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n saat önce" +msgstr[1] "%n saat önce" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "bugün" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "dün" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n gün önce" +msgstr[1] "%n gün önce" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "geçen ay" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n ay önce" +msgstr[1] "%n ay önce" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "ay önce" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "geçen yıl" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "yıl önce" @@ -381,7 +382,7 @@ msgstr "Güncelleme başarılı. ownCloud'a yönlendiriliyor." #: lostpassword/controller.php:61 #, php-format msgid "%s password reset" -msgstr "" +msgstr "%s parola sıfırlama" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" @@ -498,7 +499,7 @@ msgstr "PHP sürümünüz NULL Byte saldırısına açık (CVE-2006-7243)" #: templates/installation.php:26 #, php-format msgid "Please update your PHP installation to use %s securely." -msgstr "" +msgstr "%s güvenli olarak kullanmak için, lütfen PHP kurulumunuzu güncelleyin." #: templates/installation.php:32 msgid "" @@ -523,7 +524,7 @@ msgstr "Veri klasörünüz ve dosyalarınız .htaccess dosyası çalışmadığ msgid "" "For information how to properly configure your server, please see the documentation." -msgstr "" +msgstr "Server'ınızı nasıl ayarlayacağınıza dair bilgi için, lütfen dokümantasyon sayfasını ziyaret edin." #: templates/installation.php:47 msgid "Create an admin account" @@ -582,7 +583,7 @@ msgstr "Çıkış yap" #: templates/layout.user.php:100 msgid "More apps" -msgstr "" +msgstr "Daha fazla Uygulama" #: templates/login.php:9 msgid "Automatic logon rejected!" diff --git a/l10n/tr/files.po b/l10n/tr/files.po index bcc36b26943..8ef98d31c69 100644 --- a/l10n/tr/files.po +++ b/l10n/tr/files.po @@ -4,12 +4,13 @@ # # Translators: # ismail yenigül , 2013 +# tridinebandim, 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -121,15 +122,11 @@ msgstr "Paylaş" msgid "Delete permanently" msgstr "Kalıcı olarak sil" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Sil" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "İsim değiştir." -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Bekliyor" @@ -157,17 +154,13 @@ msgstr "{new_name} ismi {old_name} ile değiştirildi" msgid "undo" msgstr "geri al" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "Silme işlemini gerçekleştir" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n dosya yükleniyor" +msgstr[1] "%n dosya yükleniyor" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "Dosyalar yükleniyor" @@ -218,14 +211,14 @@ msgstr "Değiştirilme" #: js/files.js:762 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n dizin" +msgstr[1] "%n dizin" #: js/files.js:768 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n dosya" +msgstr[1] "%n dosya" #: lib/app.php:73 #, php-format @@ -308,6 +301,10 @@ msgstr "İndir" msgid "Unshare" msgstr "Paylaşılmayan" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Sil" + #: templates/index.php:105 msgid "Upload too large" msgstr "Yükleme çok büyük" diff --git a/l10n/tr/files_trashbin.po b/l10n/tr/files_trashbin.po index 91d3658658d..f46712fc9f4 100644 --- a/l10n/tr/files_trashbin.po +++ b/l10n/tr/files_trashbin.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# tridinebandim, 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-15 10:20+0000\n" +"Last-Translator: tridinebandim\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" @@ -55,17 +56,17 @@ msgstr "Silindi" msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -msgstr[1] "" +msgstr[1] "%n dizin" #: js/trash.js:197 msgid "%n file" msgid_plural "%n files" msgstr[0] "" -msgstr[1] "" +msgstr[1] "%n dosya" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" -msgstr "" +msgstr "geri yüklendi" #: templates/index.php:9 msgid "Nothing in here. Your trash bin is empty!" diff --git a/l10n/tr/lib.po b/l10n/tr/lib.po index 61357f76689..1146ef5bfd1 100644 --- a/l10n/tr/lib.po +++ b/l10n/tr/lib.po @@ -4,13 +4,14 @@ # # Translators: # ismail yenigül , 2013 +# tridinebandim, 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-15 10:30+0000\n" +"Last-Translator: tridinebandim\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" @@ -41,7 +42,7 @@ msgstr "Yönetici" #: app.php:836 #, php-format msgid "Failed to upgrade \"%s\"." -msgstr "" +msgstr "\"%s\" yükseltme başarısız oldu." #: defaults.php:35 msgid "web services under your control" @@ -50,7 +51,7 @@ msgstr "Bilgileriniz güvenli ve şifreli" #: files.php:66 files.php:98 #, php-format msgid "cannot open \"%s\"" -msgstr "" +msgstr "\"%s\" açılamıyor" #: files.php:226 msgid "ZIP download is turned off." @@ -72,7 +73,7 @@ msgstr "Seçilen dosyalar bir zip dosyası oluşturmak için fazla büyüktür." msgid "" "Download the files in smaller chunks, seperately or kindly ask your " "administrator." -msgstr "" +msgstr "Dosyaları ayrı ayrı, küçük parçalar halinde indirin ya da yöneticinizden yardım isteyin. " #: helper.php:235 msgid "couldn't be determined" @@ -210,13 +211,13 @@ msgstr "saniye önce" msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" -msgstr[1] "" +msgstr[1] "%n dakika önce" #: template/functions.php:82 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" -msgstr[1] "" +msgstr[1] "%n saat önce" #: template/functions.php:83 msgid "today" @@ -230,7 +231,7 @@ msgstr "dün" msgid "%n day go" msgid_plural "%n days ago" msgstr[0] "" -msgstr[1] "" +msgstr[1] "%n gün önce" #: template/functions.php:86 msgid "last month" @@ -240,7 +241,7 @@ msgstr "geçen ay" msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" -msgstr[1] "" +msgstr[1] "%n ay önce" #: template/functions.php:88 msgid "last year" @@ -252,7 +253,7 @@ msgstr "yıl önce" #: template.php:297 msgid "Caused by:" -msgstr "" +msgstr "Neden olan:" #: vcategories.php:188 vcategories.php:249 #, php-format diff --git a/l10n/tr/settings.po b/l10n/tr/settings.po index fd3d00a3065..7521d03f553 100644 --- a/l10n/tr/settings.po +++ b/l10n/tr/settings.po @@ -4,13 +4,14 @@ # # Translators: # ismail yenigül , 2013 +# tridinebandim, 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-15 11:00+0000\n" +"Last-Translator: tridinebandim\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" @@ -181,7 +182,7 @@ msgid "" "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 "" +msgstr "data dizininiz ve dosyalarınız büyük ihtimalle internet üzerinden erişilebilir. .htaccess dosyası çalışmıyor. Web sunucunuzu yapılandırarak data dizinine erişimi kapatmanızı veya data dizinini web sunucu döküman dizini dışına almanızı şiddetle tavsiye ederiz." #: templates/admin.php:29 msgid "Setup Warning" @@ -196,7 +197,7 @@ msgstr "Web sunucunuz dosya transferi için düzgün bir şekilde yapılandırı #: templates/admin.php:33 #, php-format msgid "Please double check the installation guides." -msgstr "" +msgstr "Lütfen kurulum kılavuzlarını tekrar kontrol edin." #: templates/admin.php:44 msgid "Module 'fileinfo' missing" @@ -218,7 +219,7 @@ msgid "" "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." -msgstr "" +msgstr "Sistem yereli %s olarak değiştirilemedi. Bu, dosya adlarındaki bazı karakterlerde sorun olabileceği anlamına gelir. %s desteklemek için gerekli paketleri kurmanızı şiddetle öneririz." #: templates/admin.php:75 msgid "Internet connection not working" @@ -231,7 +232,7 @@ msgid "" "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." -msgstr "" +msgstr "Bu sunucunun çalışan bir internet bağlantısı yok. Bu, harici depolama alanı bağlama, güncelleştirme bildirimleri veya 3. parti uygulama kurma gibi bazı özellikler çalışmayacak demektir. Uzak dosyalara erişim ve e-posta ile bildirim gönderme de çalışmayacaktır. Eğer bu özelliklerin tamamını kullanmak istiyorsanız, sunucu için internet bağlantısını etkinleştirmenizi öneriyoruz." #: templates/admin.php:92 msgid "Cron" @@ -245,11 +246,11 @@ msgstr "Yüklenen her sayfa ile bir görev çalıştır" msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." -msgstr "" +msgstr "Http üzerinden dakikada bir çalıştırılmak üzere, cron.php bir webcron hizmetine kaydedildi." #: templates/admin.php:121 msgid "Use systems cron service to call the cron.php file once a minute." -msgstr "" +msgstr "cron.php dosyasını dakikada bir çağırmak için sistemin cron hizmetini kullan. " #: templates/admin.php:128 msgid "Sharing" @@ -273,7 +274,7 @@ msgstr "Kullanıcıların nesneleri paylaşımı için herkese açık bağlantı #: templates/admin.php:151 msgid "Allow public uploads" -msgstr "" +msgstr "Herkes tarafından yüklemeye izin ver" #: templates/admin.php:152 msgid "" @@ -307,14 +308,14 @@ msgstr "HTTPS bağlantısına zorla" #: templates/admin.php:193 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." -msgstr "" +msgstr "İstemcileri %s a şifreli bir bağlantı ile bağlanmaya zorlar." #: templates/admin.php:199 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." -msgstr "" +msgstr "SSL zorlamasını etkinleştirmek ya da devre dışı bırakmak için lütfen ,%s a HTTPS ile bağlanın." #: templates/admin.php:211 msgid "Log" diff --git a/l10n/ug/files.po b/l10n/ug/files.po index 17201c81c7e..9356e0fa389 100644 --- a/l10n/ug/files.po +++ b/l10n/ug/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+0000\n" "Last-Translator: I Robot \n" "Language-Team: Uighur \n" "MIME-Version: 1.0\n" @@ -120,15 +120,11 @@ msgstr "ھەمبەھىر" msgid "Delete permanently" msgstr "مەڭگۈلۈك ئۆچۈر" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "ئۆچۈر" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "ئات ئۆزگەرت" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "كۈتۈۋاتىدۇ" @@ -156,16 +152,12 @@ msgstr "" msgid "undo" msgstr "يېنىۋال" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "ھۆججەت يۈكلىنىۋاتىدۇ" @@ -304,6 +296,10 @@ msgstr "چۈشۈر" msgid "Unshare" msgstr "ھەمبەھىرلىمە" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "ئۆچۈر" + #: templates/index.php:105 msgid "Upload too large" msgstr "يۈكلەندىغىنى بەك چوڭ" diff --git a/l10n/uk/files.po b/l10n/uk/files.po index 848b36fa68e..7622ad56c5f 100644 --- a/l10n/uk/files.po +++ b/l10n/uk/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -121,15 +121,11 @@ msgstr "Поділитися" msgid "Delete permanently" msgstr "Видалити назавжди" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Видалити" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Перейменувати" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Очікування" @@ -157,18 +153,14 @@ msgstr "замінено {new_name} на {old_name}" msgid "undo" msgstr "відмінити" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "виконати операцію видалення" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "файли завантажуються" @@ -311,6 +303,10 @@ msgstr "Завантажити" msgid "Unshare" msgstr "Закрити доступ" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Видалити" + #: templates/index.php:105 msgid "Upload too large" msgstr "Файл занадто великий" diff --git a/l10n/ur_PK/files.po b/l10n/ur_PK/files.po index 398838a0f1f..1a9ede9acc7 100644 --- a/l10n/ur_PK/files.po +++ b/l10n/ur_PK/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" @@ -156,17 +152,13 @@ msgstr "" msgid "undo" msgstr "" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -307,6 +299,10 @@ msgstr "" msgid "Unshare" msgstr "شئیرنگ ختم کریں" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "" + #: templates/index.php:105 msgid "Upload too large" msgstr "" diff --git a/l10n/vi/files.po b/l10n/vi/files.po index 7772001408e..819a857ea2e 100644 --- a/l10n/vi/files.po +++ b/l10n/vi/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -121,15 +121,11 @@ msgstr "Chia sẻ" msgid "Delete permanently" msgstr "Xóa vĩnh vễn" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "Xóa" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "Sửa tên" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Đang chờ" @@ -157,16 +153,12 @@ msgstr "đã thay thế {new_name} bằng {old_name}" msgid "undo" msgstr "lùi lại" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "thực hiện việc xóa" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "tệp tin đang được tải lên" @@ -305,6 +297,10 @@ msgstr "Tải về" msgid "Unshare" msgstr "Bỏ chia sẻ" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "Xóa" + #: templates/index.php:105 msgid "Upload too large" msgstr "Tập tin tải lên quá lớn" diff --git a/l10n/zh_CN.GB2312/core.po b/l10n/zh_CN.GB2312/core.po index d49b821a1b4..8e8f62f373d 100644 --- a/l10n/zh_CN.GB2312/core.po +++ b/l10n/zh_CN.GB2312/core.po @@ -3,6 +3,7 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# aivier , 2013 # fkj , 2013 # Martin Liu , 2013 # hyy0591 , 2013 @@ -10,9 +11,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-15 10:20+0000\n" +"Last-Translator: aivier \n" "Language-Team: Chinese (China) (GB2312) (http://www.transifex.com/projects/p/owncloud/language/zh_CN.GB2312/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -144,51 +145,51 @@ msgstr "十二月" msgid "Settings" msgstr "设置" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "秒前" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" +msgstr[0] "%n 分钟以前" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" +msgstr[0] "%n 小时以前" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "今天" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "昨天" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" -msgstr[0] "" +msgstr[0] "%n 天以前" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "上个月" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" +msgstr[0] "%n 个月以前" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "月前" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "去年" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "年前" @@ -379,7 +380,7 @@ msgstr "升级成功。现在为您跳转到ownCloud。" #: lostpassword/controller.php:61 #, php-format msgid "%s password reset" -msgstr "" +msgstr "%s 密码重置" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" @@ -580,7 +581,7 @@ msgstr "注销" #: templates/layout.user.php:100 msgid "More apps" -msgstr "" +msgstr "更多应用" #: templates/login.php:9 msgid "Automatic logon rejected!" diff --git a/l10n/zh_CN.GB2312/files.po b/l10n/zh_CN.GB2312/files.po index a137dd4b152..1426e0d68c7 100644 --- a/l10n/zh_CN.GB2312/files.po +++ b/l10n/zh_CN.GB2312/files.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# aivier , 2013 # hlx98007 , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -121,15 +122,11 @@ msgstr "分享" msgid "Delete permanently" msgstr "永久删除" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "删除" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "重命名" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "等待中" @@ -157,16 +154,12 @@ msgstr "已用 {old_name} 替换 {new_name}" msgid "undo" msgstr "撤销" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "执行删除" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" -msgstr[0] "" +msgstr[0] "正在上传 %n 个文件" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "个文件正在上传" @@ -217,12 +210,12 @@ msgstr "修改日期" #: js/files.js:762 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" +msgstr[0] "%n 个文件夹" #: js/files.js:768 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" +msgstr[0] "%n 个文件" #: lib/app.php:73 #, php-format @@ -305,6 +298,10 @@ msgstr "下载" msgid "Unshare" msgstr "取消分享" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "删除" + #: templates/index.php:105 msgid "Upload too large" msgstr "上传过大" diff --git a/l10n/zh_CN.GB2312/files_sharing.po b/l10n/zh_CN.GB2312/files_sharing.po index 3305b7fbbbd..e8248b6133e 100644 --- a/l10n/zh_CN.GB2312/files_sharing.po +++ b/l10n/zh_CN.GB2312/files_sharing.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# aivier , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-15 10:20+0000\n" +"Last-Translator: aivier \n" "Language-Team: Chinese (China) (GB2312) (http://www.transifex.com/projects/p/owncloud/language/zh_CN.GB2312/)\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" @@ -31,27 +32,27 @@ msgstr "提交" #: templates/part.404.php:3 msgid "Sorry, this link doesn’t seem to work anymore." -msgstr "" +msgstr "对不起,这个链接看起来是错误的。" #: templates/part.404.php:4 msgid "Reasons might be:" -msgstr "" +msgstr "原因可能是:" #: templates/part.404.php:6 msgid "the item was removed" -msgstr "" +msgstr "项目已经移除" #: templates/part.404.php:7 msgid "the link expired" -msgstr "" +msgstr "链接已过期" #: templates/part.404.php:8 msgid "sharing is disabled" -msgstr "" +msgstr "分享已经被禁用" #: templates/part.404.php:10 msgid "For more info, please ask the person who sent this link." -msgstr "" +msgstr "欲了解更多信息,请联系将此链接发送给你的人。" #: templates/public.php:15 #, php-format diff --git a/l10n/zh_CN.GB2312/files_trashbin.po b/l10n/zh_CN.GB2312/files_trashbin.po index 2de2aefb281..cef04c5439f 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-15 10:40+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" @@ -54,12 +54,12 @@ msgstr "" #: js/trash.js:191 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" +msgstr[0] "%n 个文件夹" #: js/trash.js:197 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" +msgstr[0] "%n 个文件" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" @@ -71,7 +71,7 @@ msgstr "" #: templates/index.php:20 templates/index.php:22 msgid "Restore" -msgstr "" +msgstr "恢复" #: templates/index.php:30 templates/index.php:31 msgid "Delete" @@ -79,4 +79,4 @@ msgstr "删除" #: templates/part.breadcrumb.php:9 msgid "Deleted Files" -msgstr "" +msgstr "删除的文件" diff --git a/l10n/zh_CN.GB2312/files_versions.po b/l10n/zh_CN.GB2312/files_versions.po index 209fa855936..faa83e8fc6c 100644 --- a/l10n/zh_CN.GB2312/files_versions.po +++ b/l10n/zh_CN.GB2312/files_versions.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# aivier , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-27 01:56-0400\n" -"PO-Revision-Date: 2013-07-27 05:56+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-15 11:00+0000\n" +"Last-Translator: aivier \n" "Language-Team: Chinese (China) (GB2312) (http://www.transifex.com/projects/p/owncloud/language/zh_CN.GB2312/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -28,16 +29,16 @@ msgstr "版本" #: js/versions.js:53 msgid "Failed to revert {file} to revision {timestamp}." -msgstr "" +msgstr "无法恢复文件 {file} 到 版本 {timestamp}。" #: js/versions.js:79 msgid "More versions..." -msgstr "" +msgstr "更多版本" #: js/versions.js:116 msgid "No other versions available" -msgstr "" +msgstr "没有其他可用版本" #: js/versions.js:149 msgid "Restore" -msgstr "" +msgstr "恢复" diff --git a/l10n/zh_CN.GB2312/lib.po b/l10n/zh_CN.GB2312/lib.po index 7778e2a7cf9..a996e9d467c 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-15 10:20+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" @@ -208,12 +208,12 @@ msgstr "秒前" #: template/functions.php:81 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" +msgstr[0] "%n 分钟以前" #: template/functions.php:82 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" +msgstr[0] "%n 小时以前" #: template/functions.php:83 msgid "today" @@ -226,7 +226,7 @@ msgstr "昨天" #: template/functions.php:85 msgid "%n day go" msgid_plural "%n days ago" -msgstr[0] "" +msgstr[0] "%n 天以前" #: template/functions.php:86 msgid "last month" @@ -235,7 +235,7 @@ msgstr "上个月" #: template/functions.php:87 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" +msgstr[0] "%n 个月以前" #: template/functions.php:88 msgid "last year" diff --git a/l10n/zh_CN.GB2312/user_webdavauth.po b/l10n/zh_CN.GB2312/user_webdavauth.po index 042d9edc6b1..bcfa856ac0c 100644 --- a/l10n/zh_CN.GB2312/user_webdavauth.po +++ b/l10n/zh_CN.GB2312/user_webdavauth.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# aivier , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-27 01:56-0400\n" -"PO-Revision-Date: 2013-07-27 05:57+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-15 10:30+0000\n" +"Last-Translator: aivier \n" "Language-Team: Chinese (China) (GB2312) (http://www.transifex.com/projects/p/owncloud/language/zh_CN.GB2312/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -19,11 +20,11 @@ msgstr "" #: templates/settings.php:3 msgid "WebDAV Authentication" -msgstr "" +msgstr "WebDAV 验证" #: templates/settings.php:4 msgid "Address: " -msgstr "" +msgstr "地址:" #: templates/settings.php:7 msgid "" diff --git a/l10n/zh_CN/files.po b/l10n/zh_CN/files.po index f4150ed72ce..db423a4fe41 100644 --- a/l10n/zh_CN/files.po +++ b/l10n/zh_CN/files.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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -123,15 +123,11 @@ msgstr "分享" msgid "Delete permanently" msgstr "永久删除" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "删除" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "重命名" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "等待" @@ -159,16 +155,12 @@ msgstr "已将 {old_name}替换成 {new_name}" msgid "undo" msgstr "撤销" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "进行删除操作" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "文件上传中" @@ -307,6 +299,10 @@ msgstr "下载" msgid "Unshare" msgstr "取消共享" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "删除" + #: templates/index.php:105 msgid "Upload too large" msgstr "上传文件过大" diff --git a/l10n/zh_HK/files.po b/l10n/zh_HK/files.po index 32ba5c844bf..5cfc4312593 100644 --- a/l10n/zh_HK/files.po +++ b/l10n/zh_HK/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -120,15 +120,11 @@ msgstr "分享" msgid "Delete permanently" msgstr "" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "刪除" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" @@ -156,16 +152,12 @@ msgstr "" msgid "undo" msgstr "" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "" @@ -304,6 +296,10 @@ msgstr "下載" msgid "Unshare" msgstr "取消分享" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "刪除" + #: templates/index.php:105 msgid "Upload too large" msgstr "" diff --git a/l10n/zh_TW/files.po b/l10n/zh_TW/files.po index 4f96374f3f0..de86947869a 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-16 01:29-0400\n" +"PO-Revision-Date: 2013-08-16 05:29+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" @@ -121,15 +121,11 @@ msgstr "分享" msgid "Delete permanently" msgstr "永久刪除" -#: js/fileactions.js:128 templates/index.php:91 templates/index.php:92 -msgid "Delete" -msgstr "刪除" - -#: js/fileactions.js:194 +#: js/fileactions.js:192 msgid "Rename" msgstr "重新命名" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:467 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "等候中" @@ -157,16 +153,12 @@ msgstr "使用 {new_name} 取代 {old_name}" msgid "undo" msgstr "復原" -#: js/filelist.js:375 -msgid "perform delete operation" -msgstr "進行刪除動作" - -#: js/filelist.js:455 +#: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" -#: js/filelist.js:520 +#: js/filelist.js:518 msgid "files uploading" msgstr "檔案正在上傳中" @@ -305,6 +297,10 @@ msgstr "下載" msgid "Unshare" msgstr "取消共享" +#: templates/index.php:91 templates/index.php:92 +msgid "Delete" +msgstr "刪除" + #: templates/index.php:105 msgid "Upload too large" msgstr "上傳過大" diff --git a/lib/l10n/da.php b/lib/l10n/da.php index 5822c925f47..cbf6b16debb 100644 --- a/lib/l10n/da.php +++ b/lib/l10n/da.php @@ -41,13 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Din webserver er endnu ikke sat op til at tillade fil synkronisering fordi WebDAV grænsefladen virker ødelagt.", "Please double check the installation guides." => "Dobbelttjek venligst installations vejledningerne.", "seconds ago" => "sekunder siden", -"_%n minute ago_::_%n minutes ago_" => array("",""), -"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n minute ago_::_%n minutes ago_" => array("%n minut siden","%n minutter siden"), +"_%n hour ago_::_%n hours ago_" => array("%n time siden","%n timer siden"), "today" => "i dag", "yesterday" => "i går", -"_%n day go_::_%n days ago_" => array("",""), +"_%n day go_::_%n days ago_" => array("%n dag siden","%n dage siden"), "last month" => "sidste måned", -"_%n month ago_::_%n months ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("%n måned siden","%n måneder siden"), "last year" => "sidste år", "years ago" => "år siden", "Caused by:" => "Forårsaget af:", diff --git a/lib/l10n/de.php b/lib/l10n/de.php index ba43ad248dd..798322fdb47 100644 --- a/lib/l10n/de.php +++ b/lib/l10n/de.php @@ -41,13 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Dein Web-Server ist noch nicht für Datei-Synchronisation bereit, weil die WebDAV-Schnittstelle vermutlich defekt ist.", "Please double check the installation guides." => "Bitte prüfe die Installationsanleitungen.", "seconds ago" => "Gerade eben", -"_%n minute ago_::_%n minutes ago_" => array("",""), -"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n minute ago_::_%n minutes ago_" => array("","Vor %n Minuten"), +"_%n hour ago_::_%n hours ago_" => array("","Vor %n Stunden"), "today" => "Heute", "yesterday" => "Gestern", -"_%n day go_::_%n days ago_" => array("",""), +"_%n day go_::_%n days ago_" => array("","Vor %n Tagen"), "last month" => "Letzten Monat", -"_%n month ago_::_%n months ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("","Vor %n Monaten"), "last year" => "Letztes Jahr", "years ago" => "Vor Jahren", "Caused by:" => "Verursacht durch:", diff --git a/lib/l10n/de_DE.php b/lib/l10n/de_DE.php index a89c069eaab..698a36bd780 100644 --- a/lib/l10n/de_DE.php +++ b/lib/l10n/de_DE.php @@ -41,13 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Ihr Web-Server ist noch nicht für eine Datei-Synchronisation konfiguriert, weil die WebDAV-Schnittstelle vermutlich defekt ist.", "Please double check the installation guides." => "Bitte prüfen Sie die Installationsanleitungen.", "seconds ago" => "Gerade eben", -"_%n minute ago_::_%n minutes ago_" => array("",""), -"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n minute ago_::_%n minutes ago_" => array("Vor %n Minute","Vor %n Minuten"), +"_%n hour ago_::_%n hours ago_" => array("Vor %n Stunde","Vor %n Stunden"), "today" => "Heute", "yesterday" => "Gestern", -"_%n day go_::_%n days ago_" => array("",""), +"_%n day go_::_%n days ago_" => array("Vor %n Tag","Vor %n Tagen"), "last month" => "Letzten Monat", -"_%n month ago_::_%n months ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("Vor %n Monat","Vor %n Monaten"), "last year" => "Letztes Jahr", "years ago" => "Vor Jahren", "Caused by:" => "Verursacht durch:", diff --git a/lib/l10n/fi_FI.php b/lib/l10n/fi_FI.php index 0efef0c61b1..dccb1753042 100644 --- a/lib/l10n/fi_FI.php +++ b/lib/l10n/fi_FI.php @@ -34,15 +34,16 @@ $TRANSLATIONS = array( "Set an admin password." => "Aseta ylläpitäjän salasana.", "Please double check the installation guides." => "Lue tarkasti asennusohjeet.", "seconds ago" => "sekuntia sitten", -"_%n minute ago_::_%n minutes ago_" => array("",""), -"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n minute ago_::_%n minutes ago_" => array("%n minuutti sitten","%n minuuttia sitten"), +"_%n hour ago_::_%n hours ago_" => array("%n tunti sitten","%n tuntia sitten"), "today" => "tänään", "yesterday" => "eilen", -"_%n day go_::_%n days ago_" => array("",""), +"_%n day go_::_%n days ago_" => array("%n päivä sitten","%n päivää sitten"), "last month" => "viime kuussa", -"_%n month ago_::_%n months ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("%n kuukausi sitten","%n kuukautta sitten"), "last year" => "viime vuonna", "years ago" => "vuotta sitten", +"Caused by:" => "Aiheuttaja:", "Could not find category \"%s\"" => "Luokkaa \"%s\" ei löytynyt" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/lib/l10n/gl.php b/lib/l10n/gl.php index 085fd7272da..f105578ace2 100644 --- a/lib/l10n/gl.php +++ b/lib/l10n/gl.php @@ -41,13 +41,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "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.", "Please double check the installation guides." => "Volva comprobar as guías de instalación", "seconds ago" => "segundos atrás", -"_%n minute ago_::_%n minutes ago_" => array("",""), -"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n minute ago_::_%n minutes ago_" => array("hai %n minuto","hai %n minutos"), +"_%n hour ago_::_%n hours ago_" => array("hai %n hora","hai %n horas"), "today" => "hoxe", "yesterday" => "onte", -"_%n day go_::_%n days ago_" => array("",""), +"_%n day go_::_%n days ago_" => array("hai %n día","hai %n días"), "last month" => "último mes", -"_%n month ago_::_%n months ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("hai %n mes","hai %n meses"), "last year" => "último ano", "years ago" => "anos atrás", "Caused by:" => "Causado por:", diff --git a/lib/l10n/ro.php b/lib/l10n/ro.php index 3a555f6a29f..2b6d14d58f3 100644 --- a/lib/l10n/ro.php +++ b/lib/l10n/ro.php @@ -18,7 +18,7 @@ $TRANSLATIONS = array( "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.", +"Please double check the installation guides." => "Vă rugăm să verificați ghiduri de instalare.", "seconds ago" => "secunde în urmă", "_%n minute ago_::_%n minutes ago_" => array("","",""), "_%n hour ago_::_%n hours ago_" => array("","",""), diff --git a/lib/l10n/tr.php b/lib/l10n/tr.php index 6dc20e8f595..f95933645da 100644 --- a/lib/l10n/tr.php +++ b/lib/l10n/tr.php @@ -5,11 +5,14 @@ $TRANSLATIONS = array( "Settings" => "Ayarlar", "Users" => "Kullanıcılar", "Admin" => "Yönetici", +"Failed to upgrade \"%s\"." => "\"%s\" yükseltme başarısız oldu.", "web services under your control" => "Bilgileriniz güvenli ve şifreli", +"cannot open \"%s\"" => "\"%s\" açılamıyor", "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", "Selected files too large to generate zip file." => "Seçilen dosyalar bir zip dosyası oluşturmak için fazla büyüktür.", +"Download the files in smaller chunks, seperately or kindly ask your administrator." => "Dosyaları ayrı ayrı, küçük parçalar halinde indirin ya da yöneticinizden yardım isteyin. ", "couldn't be determined" => "tespit edilemedi", "Application is not enabled" => "Uygulama etkinleştirilmedi", "Authentication error" => "Kimlik doğrulama hatası", @@ -38,15 +41,16 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Web sunucunuz dosya transferi için düzgün bir şekilde yapılandırılmamış. WevDAV arabirimini sorunlu gözüküyor.", "Please double check the installation guides." => "Lütfen kurulum kılavuzlarını iki kez kontrol edin.", "seconds ago" => "saniye önce", -"_%n minute ago_::_%n minutes ago_" => array("",""), -"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n minute ago_::_%n minutes ago_" => array("","%n dakika önce"), +"_%n hour ago_::_%n hours ago_" => array("","%n saat önce"), "today" => "bugün", "yesterday" => "dün", -"_%n day go_::_%n days ago_" => array("",""), +"_%n day go_::_%n days ago_" => array("","%n gün önce"), "last month" => "geçen ay", -"_%n month ago_::_%n months ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("","%n ay önce"), "last year" => "geçen yıl", "years ago" => "yıl önce", +"Caused by:" => "Neden olan:", "Could not find category \"%s\"" => "\"%s\" kategorisi bulunamadı" ); $PLURAL_FORMS = "nplurals=2; plural=(n > 1);"; diff --git a/lib/l10n/zh_CN.GB2312.php b/lib/l10n/zh_CN.GB2312.php index 64c9926d5cf..bc81ff8fe1b 100644 --- a/lib/l10n/zh_CN.GB2312.php +++ b/lib/l10n/zh_CN.GB2312.php @@ -19,13 +19,13 @@ $TRANSLATIONS = array( "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" => "秒前", -"_%n minute ago_::_%n minutes ago_" => array(""), -"_%n hour ago_::_%n hours ago_" => array(""), +"_%n minute ago_::_%n minutes ago_" => array("%n 分钟以前"), +"_%n hour ago_::_%n hours ago_" => array("%n 小时以前"), "today" => "今天", "yesterday" => "昨天", -"_%n day go_::_%n days ago_" => array(""), +"_%n day go_::_%n days ago_" => array("%n 天以前"), "last month" => "上个月", -"_%n month ago_::_%n months ago_" => array(""), +"_%n month ago_::_%n months ago_" => array("%n 个月以前"), "last year" => "去年", "years ago" => "年前" ); diff --git a/settings/l10n/tr.php b/settings/l10n/tr.php index 27ae7ae25ba..0e7fa8bc3c1 100644 --- a/settings/l10n/tr.php +++ b/settings/l10n/tr.php @@ -38,25 +38,34 @@ $TRANSLATIONS = array( "A valid password must be provided" => "Geçerli bir parola mutlaka sağlanmalı", "__language_name__" => "Türkçe", "Security Warning" => "Güvenlik Uyarisi", +"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." => "data dizininiz ve dosyalarınız büyük ihtimalle internet üzerinden erişilebilir. .htaccess dosyası çalışmıyor. Web sunucunuzu yapılandırarak data dizinine erişimi kapatmanızı veya data dizinini web sunucu döküman dizini dışına almanızı şiddetle tavsiye ederiz.", "Setup Warning" => "Kurulum Uyarısı", "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Web sunucunuz dosya transferi için düzgün bir şekilde yapılandırılmamış. WevDAV arabirimini sorunlu gözüküyor.", +"Please double check the installation guides." => "Lütfen kurulum kılavuzlarını tekrar kontrol edin.", "Module 'fileinfo' missing" => "Modül 'fileinfo' kayıp", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with mime-type detection." => "PHP modülü 'fileinfo' kayıp. MIME-tip tanıma ile en iyi sonuçları elde etmek için bu modülü etkinleştirmenizi öneririz.", "Locale not working" => "Locale çalışmıyor.", +"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." => "Sistem yereli %s olarak değiştirilemedi. Bu, dosya adlarındaki bazı karakterlerde sorun olabileceği anlamına gelir. %s desteklemek için gerekli paketleri kurmanızı şiddetle öneririz.", "Internet connection not working" => "İnternet bağlantısı çalışmıyor", +"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." => "Bu sunucunun çalışan bir internet bağlantısı yok. Bu, harici depolama alanı bağlama, güncelleştirme bildirimleri veya 3. parti uygulama kurma gibi bazı özellikler çalışmayacak demektir. Uzak dosyalara erişim ve e-posta ile bildirim gönderme de çalışmayacaktır. Eğer bu özelliklerin tamamını kullanmak istiyorsanız, sunucu için internet bağlantısını etkinleştirmenizi öneriyoruz.", "Cron" => "Cron", "Execute one task with each page loaded" => "Yüklenen her sayfa ile bir görev çalıştır", +"cron.php is registered at a webcron service to call cron.php once a minute over http." => "Http üzerinden dakikada bir çalıştırılmak üzere, cron.php bir webcron hizmetine kaydedildi.", +"Use systems cron service to call the cron.php file once a minute." => "cron.php dosyasını dakikada bir çağırmak için sistemin cron hizmetini kullan. ", "Sharing" => "Paylaşım", "Enable Share API" => "Paylaşım API'sini etkinleştir.", "Allow apps to use the Share API" => "Uygulamaların paylaşım API'sini kullanmasına izin ver", "Allow links" => "Bağlantıları izin ver.", "Allow users to share items to the public with links" => "Kullanıcıların nesneleri paylaşımı için herkese açık bağlantılara izin ver", +"Allow public uploads" => "Herkes tarafından yüklemeye izin ver", "Allow resharing" => "Paylaşıma izin ver", "Allow users to share items shared with them again" => "Kullanıcıların kendileri ile paylaşılan öğeleri yeniden paylaşmasına izin ver", "Allow users to share with anyone" => "Kullanıcıların herşeyi paylaşmalarına izin ver", "Allow users to only share with users in their groups" => "Kullanıcıların sadece kendi gruplarındaki kullanıcılarla paylaşmasına izin ver", "Security" => "Güvenlik", "Enforce HTTPS" => "HTTPS bağlantısına zorla", +"Forces the clients to connect to %s via an encrypted connection." => "İstemcileri %s a şifreli bir bağlantı ile bağlanmaya zorlar.", +"Please connect to your %s via HTTPS to enable or disable the SSL enforcement." => "SSL zorlamasını etkinleştirmek ya da devre dışı bırakmak için lütfen ,%s a HTTPS ile bağlanın.", "Log" => "Kayıtlar", "Log level" => "Günlük seviyesi", "More" => "Daha fazla", -- GitLab From 8f10c9571f96eeaf6dbc2b6fa31071bc5f735b61 Mon Sep 17 00:00:00 2001 From: Robin Appelman Date: Fri, 16 Aug 2013 15:48:45 +0200 Subject: [PATCH 256/415] fix quota wrapper reporting negative free_space, breaking user interface return 0 instead --- lib/files/storage/wrapper/quota.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/files/storage/wrapper/quota.php b/lib/files/storage/wrapper/quota.php index bc2d8939760..e2da8cf2e05 100644 --- a/lib/files/storage/wrapper/quota.php +++ b/lib/files/storage/wrapper/quota.php @@ -48,7 +48,7 @@ class Quota extends Wrapper { return \OC\Files\SPACE_NOT_COMPUTED; } else { $free = $this->storage->free_space($path); - return min($free, ($this->quota - $used)); + return min($free, (max($this->quota - $used, 0))); } } } -- GitLab From 5c9aedac1b9e858e450ac0b1f009d8042206060b Mon Sep 17 00:00:00 2001 From: Robin Appelman Date: Fri, 16 Aug 2013 15:50:50 +0200 Subject: [PATCH 257/415] remove outdated quota proxy --- lib/fileproxy/quota.php | 114 ---------------------------------------- 1 file changed, 114 deletions(-) delete mode 100644 lib/fileproxy/quota.php diff --git a/lib/fileproxy/quota.php b/lib/fileproxy/quota.php deleted file mode 100644 index 3dac3264fbe..00000000000 --- a/lib/fileproxy/quota.php +++ /dev/null @@ -1,114 +0,0 @@ -. -* -*/ - -/** - * user quota management - */ - -class OC_FileProxy_Quota extends OC_FileProxy{ - static $rootView; - private $userQuota=array(); - - /** - * get the quota for the user - * @param user - * @return int - */ - private function getQuota($user) { - if(in_array($user, $this->userQuota)) { - return $this->userQuota[$user]; - } - $userQuota=OC_Preferences::getValue($user, 'files', 'quota', 'default'); - if($userQuota=='default') { - $userQuota=OC_AppConfig::getValue('files', 'default_quota', 'none'); - } - if($userQuota=='none') { - $this->userQuota[$user]=-1; - }else{ - $this->userQuota[$user]=OC_Helper::computerFileSize($userQuota); - } - return $this->userQuota[$user]; - - } - - /** - * get the free space in the path's owner home folder - * @param path - * @return int - */ - private function getFreeSpace($path) { - /** - * @var \OC\Files\Storage\Storage $storage - * @var string $internalPath - */ - list($storage, $internalPath) = \OC\Files\Filesystem::resolvePath($path); - $owner = $storage->getOwner($internalPath); - if (!$owner) { - return -1; - } - - $totalSpace = $this->getQuota($owner); - if($totalSpace == -1) { - return -1; - } - - $view = new \OC\Files\View("/".$owner."/files"); - - $rootInfo = $view->getFileInfo('/'); - $usedSpace = isset($rootInfo['size'])?$rootInfo['size']:0; - return $totalSpace - $usedSpace; - } - - public function postFree_space($path, $space) { - $free=$this->getFreeSpace($path); - if($free==-1) { - return $space; - } - if ($space < 0){ - return $free; - } - return min($free, $space); - } - - public function preFile_put_contents($path, $data) { - if (is_resource($data)) { - $data = '';//TODO: find a way to get the length of the stream without emptying it - } - return (strlen($data)<$this->getFreeSpace($path) or $this->getFreeSpace($path)==-1); - } - - public function preCopy($path1, $path2) { - if(!self::$rootView) { - self::$rootView = new \OC\Files\View(''); - } - return (self::$rootView->filesize($path1)<$this->getFreeSpace($path2) or $this->getFreeSpace($path2)==-1); - } - - public function preFromTmpFile($tmpfile, $path) { - return (filesize($tmpfile)<$this->getFreeSpace($path) or $this->getFreeSpace($path)==-1); - } - - public function preFromUploadedFile($tmpfile, $path) { - return (filesize($tmpfile)<$this->getFreeSpace($path) or $this->getFreeSpace($path)==-1); - } -} -- GitLab From 64d09452f55c0c73fe0d55a70f82d8ad7a386d7c Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?J=C3=B6rn=20Friedrich=20Dreyer?= Date: Fri, 16 Aug 2013 17:19:48 +0200 Subject: [PATCH 258/415] remove editor div in filelist --- apps/files/templates/index.php | 1 - 1 file changed, 1 deletion(-) diff --git a/apps/files/templates/index.php b/apps/files/templates/index.php index 79c283dc336..dd783e95cca 100644 --- a/apps/files/templates/index.php +++ b/apps/files/templates/index.php @@ -101,7 +101,6 @@
    -

    t('The files you are trying to upload exceed the maximum size for file uploads on this server.'));?> -- GitLab From 5b8d30c6b613b8b50d95fcad7dca4234a64c1632 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?J=C3=B6rn=20Friedrich=20Dreyer?= Date: Fri, 16 Aug 2013 17:20:49 +0200 Subject: [PATCH 259/415] refactor OC.Breadcrumbs, allow injection of container to allow rendering crumbs into full screen editor --- core/js/js.js | 49 +++++++++++++++++++++++++++++-------------------- 1 file changed, 29 insertions(+), 20 deletions(-) diff --git a/core/js/js.js b/core/js/js.js index c2b81ae3272..5e7946868a0 100644 --- a/core/js/js.js +++ b/core/js/js.js @@ -431,9 +431,16 @@ OC.Notification={ OC.Breadcrumb={ container:null, - crumbs:[], show:function(dir, leafname, leaflink){ - OC.Breadcrumb.clear(); + if(!this.container){//default + this.container=$('#controls'); + } + this._show(this.container, dir, leafname, leaflink); + }, + _show:function(container, dir, leafname, leaflink){ + var self = this; + + this._clear(container); // show home + path in subdirectories if (dir && dir !== '/') { @@ -450,8 +457,7 @@ OC.Breadcrumb={ crumbImg.attr('src',OC.imagePath('core','places/home')); crumbLink.append(crumbImg); crumb.append(crumbLink); - OC.Breadcrumb.container.prepend(crumb); - OC.Breadcrumb.crumbs.push(crumb); + container.prepend(crumb); //add path parts var segments = dir.split('/'); @@ -460,20 +466,23 @@ OC.Breadcrumb={ if (name !== '') { pathurl = pathurl+'/'+name; var link = OC.linkTo('files','index.php')+'?dir='+encodeURIComponent(pathurl); - OC.Breadcrumb.push(name, link); + self._push(container, name, link); } }); } //add leafname if (leafname && leaflink) { - OC.Breadcrumb.push(leafname, leaflink); + this._push(container, leafname, leaflink); } }, push:function(name, link){ - if(!OC.Breadcrumb.container){//default - OC.Breadcrumb.container=$('#controls'); + if(!this.container){//default + this.container=$('#controls'); } + return this._push(OC.Breadcrumb.container, name, link); + }, + _push:function(container, name, link){ var crumb=$('

    '); crumb.addClass('crumb').addClass('last'); @@ -482,30 +491,30 @@ OC.Breadcrumb={ crumbLink.text(name); crumb.append(crumbLink); - var existing=OC.Breadcrumb.container.find('div.crumb'); + var existing=container.find('div.crumb'); if(existing.length){ existing.removeClass('last'); existing.last().after(crumb); }else{ - OC.Breadcrumb.container.prepend(crumb); + container.prepend(crumb); } - OC.Breadcrumb.crumbs.push(crumb); return crumb; }, pop:function(){ - if(!OC.Breadcrumb.container){//default - OC.Breadcrumb.container=$('#controls'); + if(!this.container){//default + this.container=$('#controls'); } - OC.Breadcrumb.container.find('div.crumb').last().remove(); - OC.Breadcrumb.container.find('div.crumb').last().addClass('last'); - OC.Breadcrumb.crumbs.pop(); + this.container.find('div.crumb').last().remove(); + this.container.find('div.crumb').last().addClass('last'); }, clear:function(){ - if(!OC.Breadcrumb.container){//default - OC.Breadcrumb.container=$('#controls'); + if(!this.container){//default + this.container=$('#controls'); } - OC.Breadcrumb.container.find('div.crumb').remove(); - OC.Breadcrumb.crumbs=[]; + this._clear(this.container); + }, + _clear:function(container) { + container.find('div.crumb').remove(); } }; -- GitLab From 164502477d8eac293ea002d39378be846bcc733c Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Fri, 16 Aug 2013 17:24:45 +0200 Subject: [PATCH 260/415] use jQuery.get instead of jQuery.ajax --- apps/files/js/files.js | 8 ++------ 1 file changed, 2 insertions(+), 6 deletions(-) diff --git a/apps/files/js/files.js b/apps/files/js/files.js index 3178ff65af8..fd18cf21ee8 100644 --- a/apps/files/js/files.js +++ b/apps/files/js/files.js @@ -821,12 +821,8 @@ function lazyLoadPreview(path, mime, ready) { var x = $('#filestable').data('preview-x'); var y = $('#filestable').data('preview-y'); var previewURL = OC.Router.generate('core_ajax_preview', {file: encodeURIComponent(path), x:x, y:y}); - $.ajax({ - url: previewURL, - type: 'GET', - success: function() { - ready(previewURL); - } + $.get(previewURL, function() { + ready(previewURL); }); } -- GitLab From b8b24bbae7d513c2fa3259b1c4bc22ebb372e125 Mon Sep 17 00:00:00 2001 From: Jan-Christoph Borchardt Date: Fri, 16 Aug 2013 17:59:48 +0200 Subject: [PATCH 261/415] use proper password icon, three dots are 'more' --- core/img/actions/more.png | Bin 0 -> 195 bytes core/img/actions/more.svg | 5 +++++ core/img/actions/password.png | Bin 195 -> 248 bytes core/img/actions/password.svg | 6 ++---- 4 files changed, 7 insertions(+), 4 deletions(-) create mode 100644 core/img/actions/more.png create mode 100644 core/img/actions/more.svg diff --git a/core/img/actions/more.png b/core/img/actions/more.png new file mode 100644 index 0000000000000000000000000000000000000000..edcafdd9bbfb7b6c11f12e9b93f2be87ad1e282c GIT binary patch literal 195 zcmeAS@N?(olHy`uVBq!ia0vp^0wB!93?!50ihlx9%*9TgAsieWw;%dH0CG7CJR*yM z%CCbkqm#z$3ZS55iEBhjaDG}zd16s2LwR|*US?i)adKios$PCk`s{Z$Qb0vK0X`wF zXU?1fG9h4P`KS3n7IR6EUoeBs$!y!>ra-Qgr;B3v3P-TH;MMOS?VhfFF6*2UngD7}HiZBH literal 0 HcmV?d00001 diff --git a/core/img/actions/more.svg b/core/img/actions/more.svg new file mode 100644 index 00000000000..9ab5d4243d9 --- /dev/null +++ b/core/img/actions/more.svg @@ -0,0 +1,5 @@ + + + + + diff --git a/core/img/actions/password.png b/core/img/actions/password.png index edcafdd9bbfb7b6c11f12e9b93f2be87ad1e282c..07365a5775e54ed98591351ca2c4e03909b3bf65 100644 GIT binary patch delta 175 zcmV;g08szK0r&xs7#Ro#0000V^Z#K0000DYLP=Bz2nYy#2xN$nFg<^DNklUuC%o<7x zl8PkjSR{pue-My-V3!n~yK8ACAiFtMT68V - - - +image/svg+xml + -- GitLab From 18769e1348dd1916679cb0eb03b1d1428cc525dc Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Sat, 17 Aug 2013 10:26:30 +0200 Subject: [PATCH 262/415] change font on login/install page from black to white --- core/css/styles.css | 34 +++++++++++++++++++++++++++++---- core/templates/installation.php | 2 +- 2 files changed, 31 insertions(+), 5 deletions(-) diff --git a/core/css/styles.css b/core/css/styles.css index 2f08b58c04f..2d64b578de7 100644 --- a/core/css/styles.css +++ b/core/css/styles.css @@ -196,11 +196,12 @@ input[type="submit"].enabled { background:#66f866; border:1px solid #5e5; -moz-b #body-login #datadirContent label, #body-login form input[type="checkbox"]+label { text-align: center; - color: #000; + color: #ccc; text-shadow: 0 1px 0 rgba(255,255,255,.1); - -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=80)"; - filter: alpha(opacity=80); - opacity: .8; + -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=60)"; + filter: alpha(opacity=60); + opacity: .6; + text-shadow: 0 -1px 0 rgba(0,0,0,.5); } #body-login div.buttons { text-align:center; } @@ -307,6 +308,31 @@ label.infield { cursor:text !important; top:1.05em; left:.85em; } #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;} +#body-login #remember_login:hover+label, +#body-login #remember_login:focus+label { + color: #fff !important; +} + +#body-login #showAdvanced > img { + height: 16px; + width: 16px; + padding: 4px; + box-sizing: border-box; +} + +#body-login footer p.info a, #body-login #showAdvanced { + color: #ccc; +} + +#body-login footer p.info a:hover, #body-login footer p.info a:focus { + color: #fff; +} + + +#body-login footer { + white-space: nowrap; +} + /* Show password toggle */ #show, #dbpassword { position: absolute; diff --git a/core/templates/installation.php b/core/templates/installation.php index 77c455304d3..8b087706801 100644 --- a/core/templates/installation.php +++ b/core/templates/installation.php @@ -62,7 +62,7 @@
    - t( 'Advanced' )); ?>
    + t( 'Advanced' )); ?>
    Date: Sat, 17 Aug 2013 10:33:11 +0200 Subject: [PATCH 263/415] fix difference between packaged version and master --- core/doc/admin/{index.php => index.html} | 0 core/doc/user/{index.php => index.html} | 0 settings/help.php | 4 ++-- 3 files changed, 2 insertions(+), 2 deletions(-) rename core/doc/admin/{index.php => index.html} (100%) rename core/doc/user/{index.php => index.html} (100%) diff --git a/core/doc/admin/index.php b/core/doc/admin/index.html similarity index 100% rename from core/doc/admin/index.php rename to core/doc/admin/index.html diff --git a/core/doc/user/index.php b/core/doc/user/index.html similarity index 100% rename from core/doc/user/index.php rename to core/doc/user/index.html diff --git a/settings/help.php b/settings/help.php index 713b23f7857..88693939b84 100644 --- a/settings/help.php +++ b/settings/help.php @@ -14,11 +14,11 @@ OC_App::setActiveNavigationEntry( "help" ); if(isset($_GET['mode']) and $_GET['mode'] === 'admin') { - $url=OC_Helper::linkToAbsolute( 'core', 'doc/admin' ); + $url=OC_Helper::linkToAbsolute( 'core', 'doc/admin/index.html' ); $style1=''; $style2=' pressed'; }else{ - $url=OC_Helper::linkToAbsolute( 'core', 'doc/user' ); + $url=OC_Helper::linkToAbsolute( 'core', 'doc/user/index.html' ); $style1=' pressed'; $style2=''; } -- GitLab From 7e4dcd268f6cb6618600718a51c4d882e9027829 Mon Sep 17 00:00:00 2001 From: Jan-Christoph Borchardt Date: Sat, 17 Aug 2013 10:46:03 +0200 Subject: [PATCH 264/415] vertically center rename input box --- apps/files/css/files.css | 10 ++++++++-- apps/files/js/filelist.js | 2 +- 2 files changed, 9 insertions(+), 3 deletions(-) diff --git a/apps/files/css/files.css b/apps/files/css/files.css index 20eb5fd083f..be42a0056d8 100644 --- a/apps/files/css/files.css +++ b/apps/files/css/files.css @@ -142,7 +142,13 @@ table td.filename a.name { padding: 0; } table tr[data-type="dir"] td.filename a.name span.nametext {font-weight:bold; } -table td.filename input.filename { width:100%; cursor:text; } +table td.filename input.filename { + width: 80%; + font-size: 14px; + margin-top: 8px; + margin-left: 2px; + cursor: text; +} table td.filename a, table td.login, table td.logout, table td.download, table td.upload, table td.create, table td.delete { padding:.2em .5em .5em .3em; } table td.filename .nametext, .uploadtext, .modified { float:left; padding:.3em 0; } @@ -176,7 +182,7 @@ table td.filename form { font-size:.85em; margin-left:3em; margin-right:3em; } filter: alpha(opacity=0); opacity: 0; float: left; - margin: 32px 0 0 32px; /* bigger clickable area doesn’t work in FF width:2.8em; height:2.4em;*/ + margin: 32px 0 4px 32px; /* bigger clickable area doesn’t work in FF width:2.8em; height:2.4em;*/ } /* Show checkbox when hovering, checked, or selected */ #fileList tr:hover td.filename>input[type="checkbox"]:first-child, diff --git a/apps/files/js/filelist.js b/apps/files/js/filelist.js index 536becad49a..10a297ddadb 100644 --- a/apps/files/js/filelist.js +++ b/apps/files/js/filelist.js @@ -199,7 +199,7 @@ var FileList={ tr=$('tr').filterAttr('data-file',name); tr.data('renaming',true); td=tr.children('td.filename'); - input=$('').val(name); + input=$('').val(name); form=$('
    '); form.append(input); td.children('a.name').hide(); -- GitLab From 137cd2ca89a857a0ffeb80bf5b7e188cfda1f420 Mon Sep 17 00:00:00 2001 From: Bjoern Schiessle Date: Sat, 17 Aug 2013 11:01:43 +0200 Subject: [PATCH 265/415] increase width of versions dialog --- apps/files_versions/css/versions.css | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/apps/files_versions/css/versions.css b/apps/files_versions/css/versions.css index db4b2fca21a..6a9b3a95698 100644 --- a/apps/files_versions/css/versions.css +++ b/apps/files_versions/css/versions.css @@ -1,3 +1,7 @@ +#dropdown.drop-versions { + width:22em; +} + #found_versions li { width: 100%; cursor: default; -- GitLab From de52157e7620888a0f027db101eaefb8990edc93 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Sat, 17 Aug 2013 11:43:37 +0200 Subject: [PATCH 266/415] remove ru_RU - fixes #3135 --- apps/files/l10n/ru_RU.php | 18 - apps/files_encryption/l10n/ru_RU.php | 5 - apps/files_external/l10n/ru_RU.php | 6 - apps/files_sharing/l10n/ru_RU.php | 5 - apps/files_trashbin/l10n/ru_RU.php | 7 - apps/files_versions/l10n/ru_RU.php | 5 - apps/user_ldap/l10n/ru_RU.php | 6 - apps/user_webdavauth/l10n/ru_RU.php | 4 - core/l10n/ru_RU.php | 9 - l10n/ru_RU/core.po | 617 --------------------------- l10n/ru_RU/files.po | 322 -------------- l10n/ru_RU/files_encryption.po | 103 ----- l10n/ru_RU/files_external.po | 123 ------ l10n/ru_RU/files_sharing.po | 48 --- l10n/ru_RU/files_trashbin.po | 84 ---- l10n/ru_RU/files_versions.po | 57 --- l10n/ru_RU/lib.po | 245 ----------- l10n/ru_RU/settings.po | 496 --------------------- l10n/ru_RU/user_ldap.po | 419 ------------------ l10n/ru_RU/user_webdavauth.po | 36 -- lib/l10n/ru_RU.php | 6 - settings/l10n/ru_RU.php | 11 - settings/languageCodes.php | 1 - 23 files changed, 2633 deletions(-) delete mode 100644 apps/files/l10n/ru_RU.php delete mode 100644 apps/files_encryption/l10n/ru_RU.php delete mode 100644 apps/files_external/l10n/ru_RU.php delete mode 100644 apps/files_sharing/l10n/ru_RU.php delete mode 100644 apps/files_trashbin/l10n/ru_RU.php delete mode 100644 apps/files_versions/l10n/ru_RU.php delete mode 100644 apps/user_ldap/l10n/ru_RU.php delete mode 100644 apps/user_webdavauth/l10n/ru_RU.php delete mode 100644 core/l10n/ru_RU.php delete mode 100644 l10n/ru_RU/core.po delete mode 100644 l10n/ru_RU/files.po delete mode 100644 l10n/ru_RU/files_encryption.po delete mode 100644 l10n/ru_RU/files_external.po delete mode 100644 l10n/ru_RU/files_sharing.po delete mode 100644 l10n/ru_RU/files_trashbin.po delete mode 100644 l10n/ru_RU/files_versions.po delete mode 100644 l10n/ru_RU/lib.po delete mode 100644 l10n/ru_RU/settings.po delete mode 100644 l10n/ru_RU/user_ldap.po delete mode 100644 l10n/ru_RU/user_webdavauth.po delete mode 100644 lib/l10n/ru_RU.php delete mode 100644 settings/l10n/ru_RU.php diff --git a/apps/files/l10n/ru_RU.php b/apps/files/l10n/ru_RU.php deleted file mode 100644 index bbc06fe1a5c..00000000000 --- a/apps/files/l10n/ru_RU.php +++ /dev/null @@ -1,18 +0,0 @@ - "Файл не был загружен. Неизвестная ошибка", -"There is no error, the file uploaded with success" => "Ошибки нет, файл успешно загружен", -"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Размер загружаемого файла превысил максимально допустимый в директиве MAX_FILE_SIZE, специфицированной в HTML-форме", -"The uploaded file was only partially uploaded" => "Загружаемый файл был загружен лишь частично", -"No file was uploaded" => "Файл не был загружен", -"Missing a temporary folder" => "Отсутствие временной папки", -"Failed to write to disk" => "Не удалось записать на диск", -"Not enough storage available" => "Недостаточно места в хранилище", -"Share" => "Сделать общим", -"Delete" => "Удалить", -"Error" => "Ошибка", -"Name" => "Имя", -"Save" => "Сохранить", -"Download" => "Загрузка" -); -$PLURAL_FORMS = "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"; diff --git a/apps/files_encryption/l10n/ru_RU.php b/apps/files_encryption/l10n/ru_RU.php deleted file mode 100644 index 438e6fb5e97..00000000000 --- a/apps/files_encryption/l10n/ru_RU.php +++ /dev/null @@ -1,5 +0,0 @@ - "Сохранение" -); -$PLURAL_FORMS = "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"; diff --git a/apps/files_external/l10n/ru_RU.php b/apps/files_external/l10n/ru_RU.php deleted file mode 100644 index 6dcd0460ada..00000000000 --- a/apps/files_external/l10n/ru_RU.php +++ /dev/null @@ -1,6 +0,0 @@ - "Группы", -"Delete" => "Удалить" -); -$PLURAL_FORMS = "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"; diff --git a/apps/files_sharing/l10n/ru_RU.php b/apps/files_sharing/l10n/ru_RU.php deleted file mode 100644 index 52a41b1f513..00000000000 --- a/apps/files_sharing/l10n/ru_RU.php +++ /dev/null @@ -1,5 +0,0 @@ - "Загрузка" -); -$PLURAL_FORMS = "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"; diff --git a/apps/files_trashbin/l10n/ru_RU.php b/apps/files_trashbin/l10n/ru_RU.php deleted file mode 100644 index 3fda38c66bf..00000000000 --- a/apps/files_trashbin/l10n/ru_RU.php +++ /dev/null @@ -1,7 +0,0 @@ - "Ошибка", -"Name" => "Имя", -"Delete" => "Удалить" -); -$PLURAL_FORMS = "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"; diff --git a/apps/files_versions/l10n/ru_RU.php b/apps/files_versions/l10n/ru_RU.php deleted file mode 100644 index 8656e346eb6..00000000000 --- a/apps/files_versions/l10n/ru_RU.php +++ /dev/null @@ -1,5 +0,0 @@ - "История", -"Files Versioning" => "Файлы управления версиями", -"Enable" => "Включить" -); diff --git a/apps/user_ldap/l10n/ru_RU.php b/apps/user_ldap/l10n/ru_RU.php deleted file mode 100644 index 623d8f2d8ec..00000000000 --- a/apps/user_ldap/l10n/ru_RU.php +++ /dev/null @@ -1,6 +0,0 @@ - "Успех", -"Error" => "Ошибка" -); -$PLURAL_FORMS = "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"; diff --git a/apps/user_webdavauth/l10n/ru_RU.php b/apps/user_webdavauth/l10n/ru_RU.php deleted file mode 100644 index 46f74cb972f..00000000000 --- a/apps/user_webdavauth/l10n/ru_RU.php +++ /dev/null @@ -1,4 +0,0 @@ - "WebDAV аутентификация", -"URL: http://" => "URL: http://" -); diff --git a/core/l10n/ru_RU.php b/core/l10n/ru_RU.php deleted file mode 100644 index ad7c7c73000..00000000000 --- a/core/l10n/ru_RU.php +++ /dev/null @@ -1,9 +0,0 @@ - "Настройки", -"Cancel" => "Отмена", -"Error" => "Ошибка", -"Share" => "Сделать общим", -"Add" => "Добавить" -); -$PLURAL_FORMS = "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"; diff --git a/l10n/ru_RU/core.po b/l10n/ru_RU/core.po deleted file mode 100644 index 06111cdf7c6..00000000000 --- a/l10n/ru_RU/core.po +++ /dev/null @@ -1,617 +0,0 @@ -# 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-06-04 02:29+0200\n" -"PO-Revision-Date: 2013-06-03 00:32+0000\n" -"Last-Translator: I Robot \n" -"Language-Team: Russian (Russia) (http://www.transifex.com/projects/p/owncloud/language/ru_RU/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: ru_RU\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" - -#: ajax/share.php:97 -#, php-format -msgid "User %s shared a file with you" -msgstr "" - -#: ajax/share.php:99 -#, php-format -msgid "User %s shared a folder with you" -msgstr "" - -#: ajax/share.php:101 -#, php-format -msgid "" -"User %s shared the file \"%s\" with you. It is available for download here: " -"%s" -msgstr "" - -#: ajax/share.php:104 -#, php-format -msgid "" -"User %s shared the folder \"%s\" with you. It is available for download " -"here: %s" -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:34 -msgid "Sunday" -msgstr "" - -#: js/config.php:35 -msgid "Monday" -msgstr "" - -#: js/config.php:36 -msgid "Tuesday" -msgstr "" - -#: js/config.php:37 -msgid "Wednesday" -msgstr "" - -#: js/config.php:38 -msgid "Thursday" -msgstr "" - -#: js/config.php:39 -msgid "Friday" -msgstr "" - -#: js/config.php:40 -msgid "Saturday" -msgstr "" - -#: js/config.php:45 -msgid "January" -msgstr "" - -#: js/config.php:46 -msgid "February" -msgstr "" - -#: js/config.php:47 -msgid "March" -msgstr "" - -#: js/config.php:48 -msgid "April" -msgstr "" - -#: js/config.php:49 -msgid "May" -msgstr "" - -#: js/config.php:50 -msgid "June" -msgstr "" - -#: js/config.php:51 -msgid "July" -msgstr "" - -#: js/config.php:52 -msgid "August" -msgstr "" - -#: js/config.php:53 -msgid "September" -msgstr "" - -#: js/config.php:54 -msgid "October" -msgstr "" - -#: js/config.php:55 -msgid "November" -msgstr "" - -#: js/config.php:56 -msgid "December" -msgstr "" - -#: js/js.js:286 -msgid "Settings" -msgstr "Настройки" - -#: js/js.js:718 -msgid "seconds ago" -msgstr "" - -#: js/js.js:719 -msgid "1 minute ago" -msgstr "" - -#: js/js.js:720 -msgid "{minutes} minutes ago" -msgstr "" - -#: js/js.js:721 -msgid "1 hour ago" -msgstr "" - -#: js/js.js:722 -msgid "{hours} hours ago" -msgstr "" - -#: js/js.js:723 -msgid "today" -msgstr "" - -#: js/js.js:724 -msgid "yesterday" -msgstr "" - -#: js/js.js:725 -msgid "{days} days ago" -msgstr "" - -#: js/js.js:726 -msgid "last month" -msgstr "" - -#: js/js.js:727 -msgid "{months} months ago" -msgstr "" - -#: js/js.js:728 -msgid "months ago" -msgstr "" - -#: js/js.js:729 -msgid "last year" -msgstr "" - -#: js/js.js:730 -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:577 -#: js/share.js:589 -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:617 -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:159 -msgid "Share with" -msgstr "" - -#: js/share.js:164 -msgid "Share with link" -msgstr "" - -#: js/share.js:167 -msgid "Password protect" -msgstr "" - -#: js/share.js:169 templates/installation.php:54 templates/login.php:26 -msgid "Password" -msgstr "" - -#: js/share.js:173 -msgid "Email link to person" -msgstr "" - -#: js/share.js:174 -msgid "Send" -msgstr "" - -#: js/share.js:178 -msgid "Set expiration date" -msgstr "" - -#: js/share.js:179 -msgid "Expiration date" -msgstr "" - -#: js/share.js:211 -msgid "Share via email:" -msgstr "" - -#: js/share.js:213 -msgid "No people found" -msgstr "" - -#: js/share.js:251 -msgid "Resharing is not allowed" -msgstr "" - -#: js/share.js:287 -msgid "Shared in {item} with {user}" -msgstr "" - -#: js/share.js:308 -msgid "Unshare" -msgstr "" - -#: js/share.js:320 -msgid "can edit" -msgstr "" - -#: js/share.js:322 -msgid "access control" -msgstr "" - -#: js/share.js:325 -msgid "create" -msgstr "" - -#: js/share.js:328 -msgid "update" -msgstr "" - -#: js/share.js:331 -msgid "delete" -msgstr "" - -#: js/share.js:334 -msgid "share" -msgstr "" - -#: js/share.js:368 js/share.js:564 -msgid "Password protected" -msgstr "" - -#: js/share.js:577 -msgid "Error unsetting expiration date" -msgstr "" - -#: js/share.js:589 -msgid "Error setting expiration date" -msgstr "" - -#: js/share.js:604 -msgid "Sending ..." -msgstr "" - -#: js/share.js:615 -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:48 -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:21 -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/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.guest.php:40 -msgid "web services under your control" -msgstr "" - -#: templates/layout.user.php:37 -#, php-format -msgid "%s is available. Get more information on how to update." -msgstr "" - -#: templates/layout.user.php:62 -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/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/ru_RU/files.po b/l10n/ru_RU/files.po deleted file mode 100644 index 097c3e00ba5..00000000000 --- a/l10n/ru_RU/files.po +++ /dev/null @@ -1,322 +0,0 @@ -# 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-06-03 02:27+0200\n" -"PO-Revision-Date: 2013-04-26 08:00+0000\n" -"Last-Translator: FULL NAME \n" -"Language-Team: Russian (Russia) (http://www.transifex.com/projects/p/owncloud/language/ru_RU/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: ru_RU\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\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:19 -msgid "No file was uploaded. Unknown error" -msgstr "Файл не был загружен. Неизвестная ошибка" - -#: ajax/upload.php:26 -msgid "There is no error, the file uploaded with success" -msgstr "Ошибки нет, файл успешно загружен" - -#: ajax/upload.php:27 -msgid "" -"The uploaded file exceeds the upload_max_filesize directive in php.ini: " -msgstr "" - -#: ajax/upload.php:29 -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:30 -msgid "The uploaded file was only partially uploaded" -msgstr "Загружаемый файл был загружен лишь частично" - -#: ajax/upload.php:31 -msgid "No file was uploaded" -msgstr "Файл не был загружен" - -#: ajax/upload.php:32 -msgid "Missing a temporary folder" -msgstr "Отсутствие временной папки" - -#: ajax/upload.php:33 -msgid "Failed to write to disk" -msgstr "Не удалось записать на диск" - -#: ajax/upload.php:51 -msgid "Not enough storage available" -msgstr "Недостаточно места в хранилище" - -#: ajax/upload.php:83 -msgid "Invalid directory." -msgstr "" - -#: appinfo/app.php:12 -msgid "Files" -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:421 -msgid "Pending" -msgstr "" - -#: js/filelist.js:259 js/filelist.js:261 -msgid "{new_name} already exists" -msgstr "" - -#: js/filelist.js:259 js/filelist.js:261 -msgid "replace" -msgstr "" - -#: js/filelist.js:259 -msgid "suggest name" -msgstr "" - -#: js/filelist.js:259 js/filelist.js:261 -msgid "cancel" -msgstr "" - -#: js/filelist.js:306 -msgid "replaced {new_name} with {old_name}" -msgstr "" - -#: js/filelist.js:306 -msgid "undo" -msgstr "" - -#: js/filelist.js:331 -msgid "perform delete operation" -msgstr "" - -#: js/filelist.js:413 -msgid "1 file uploading" -msgstr "" - -#: js/filelist.js:416 js/filelist.js:470 -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:264 -msgid "Unable to upload your file as it is a directory or has 0 bytes" -msgstr "" - -#: js/files.js:277 -msgid "Not enough space available" -msgstr "" - -#: js/files.js:317 -msgid "Upload cancelled." -msgstr "" - -#: js/files.js:413 -msgid "" -"File upload is in progress. Leaving the page now will cancel the upload." -msgstr "" - -#: js/files.js:486 -msgid "URL cannot be empty." -msgstr "" - -#: js/files.js:491 -msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" - -#: js/files.js:520 js/files.js:536 js/files.js:826 js/files.js:864 -msgid "Error" -msgstr "Ошибка" - -#: js/files.js:877 templates/index.php:69 -msgid "Name" -msgstr "Имя" - -#: js/files.js:878 templates/index.php:80 -msgid "Size" -msgstr "" - -#: js/files.js:879 templates/index.php:82 -msgid "Modified" -msgstr "" - -#: js/files.js:898 -msgid "1 folder" -msgstr "" - -#: js/files.js:900 -msgid "{count} folders" -msgstr "" - -#: js/files.js:908 -msgid "1 file" -msgstr "" - -#: js/files.js:910 -msgid "{count} files" -msgstr "" - -#: lib/app.php:53 -msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" -msgstr "" - -#: lib/app.php:73 -msgid "Unable to rename file" -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/upgrade.php:2 -msgid "Upgrading filesystem cache..." -msgstr "" diff --git a/l10n/ru_RU/files_encryption.po b/l10n/ru_RU/files_encryption.po deleted file mode 100644 index 4690ff89165..00000000000 --- a/l10n/ru_RU/files_encryption.po +++ /dev/null @@ -1,103 +0,0 @@ -# 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-05-30 02:27+0200\n" -"PO-Revision-Date: 2013-05-30 00:27+0000\n" -"Last-Translator: I Robot \n" -"Language-Team: Russian (Russia) (http://www.transifex.com/projects/p/owncloud/language/ru_RU/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: ru_RU\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\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 "" - -#: js/settings-admin.js:11 -msgid "Saving..." -msgstr "Сохранение" - -#: templates/settings-admin.php:5 templates/settings-personal.php:4 -msgid "Encryption" -msgstr "" - -#: templates/settings-admin.php:9 -msgid "" -"Enable encryption passwords recovery key (allow sharing to recovery key):" -msgstr "" - -#: templates/settings-admin.php:13 -msgid "Recovery account password" -msgstr "" - -#: templates/settings-admin.php:20 templates/settings-personal.php:18 -msgid "Enabled" -msgstr "" - -#: templates/settings-admin.php:28 templates/settings-personal.php:26 -msgid "Disabled" -msgstr "" - -#: templates/settings-admin.php:32 -msgid "Change encryption passwords recovery key:" -msgstr "" - -#: templates/settings-admin.php:39 -msgid "Old Recovery account password" -msgstr "" - -#: templates/settings-admin.php:46 -msgid "New Recovery account password" -msgstr "" - -#: templates/settings-admin.php:51 -msgid "Change Password" -msgstr "" - -#: templates/settings-personal.php:9 -msgid "Enable password recovery by sharing all files with your administrator:" -msgstr "" - -#: templates/settings-personal.php:11 -msgid "" -"Enabling this option will allow you to reobtain access to your encrypted " -"files if your password is lost" -msgstr "" - -#: templates/settings-personal.php:27 -msgid "File recovery settings updated" -msgstr "" - -#: templates/settings-personal.php:28 -msgid "Could not update file recovery" -msgstr "" diff --git a/l10n/ru_RU/files_external.po b/l10n/ru_RU/files_external.po deleted file mode 100644 index 96563330fbc..00000000000 --- a/l10n/ru_RU/files_external.po +++ /dev/null @@ -1,123 +0,0 @@ -# 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-06-03 02:27+0200\n" -"PO-Revision-Date: 2013-04-26 08:01+0000\n" -"Last-Translator: FULL NAME \n" -"Language-Team: Russian (Russia) (http://www.transifex.com/projects/p/owncloud/language/ru_RU/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: ru_RU\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\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/ru_RU/files_sharing.po b/l10n/ru_RU/files_sharing.po deleted file mode 100644 index 2c8af92a3a6..00000000000 --- a/l10n/ru_RU/files_sharing.po +++ /dev/null @@ -1,48 +0,0 @@ -# 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-06-03 02:27+0200\n" -"PO-Revision-Date: 2013-04-26 08:01+0000\n" -"Last-Translator: FULL NAME \n" -"Language-Team: Russian (Russia) (http://www.transifex.com/projects/p/owncloud/language/ru_RU/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: ru_RU\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" - -#: templates/authenticate.php:4 -msgid "Password" -msgstr "" - -#: templates/authenticate.php:6 -msgid "Submit" -msgstr "" - -#: templates/public.php:10 -#, php-format -msgid "%s shared the folder %s with you" -msgstr "" - -#: templates/public.php:13 -#, php-format -msgid "%s shared the file %s with you" -msgstr "" - -#: templates/public.php:19 templates/public.php:43 -msgid "Download" -msgstr "Загрузка" - -#: templates/public.php:40 -msgid "No preview available for" -msgstr "" - -#: templates/public.php:50 -msgid "web services under your control" -msgstr "" diff --git a/l10n/ru_RU/files_trashbin.po b/l10n/ru_RU/files_trashbin.po deleted file mode 100644 index 958cf6f2dd6..00000000000 --- a/l10n/ru_RU/files_trashbin.po +++ /dev/null @@ -1,84 +0,0 @@ -# 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-06-03 02:27+0200\n" -"PO-Revision-Date: 2013-04-26 08:01+0000\n" -"Last-Translator: FULL NAME \n" -"Language-Team: Russian (Russia) (http://www.transifex.com/projects/p/owncloud/language/ru_RU/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: ru_RU\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\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/ru_RU/files_versions.po b/l10n/ru_RU/files_versions.po deleted file mode 100644 index 39fe47d2edf..00000000000 --- a/l10n/ru_RU/files_versions.po +++ /dev/null @@ -1,57 +0,0 @@ -# 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-05-25 02:01+0200\n" -"PO-Revision-Date: 2013-04-26 08:01+0000\n" -"Last-Translator: FULL NAME \n" -"Language-Team: Russian (Russia) (http://www.transifex.com/projects/p/owncloud/language/ru_RU/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: ru_RU\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\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/ru_RU/lib.po b/l10n/ru_RU/lib.po deleted file mode 100644 index 1172cc70fe7..00000000000 --- a/l10n/ru_RU/lib.po +++ /dev/null @@ -1,245 +0,0 @@ -# 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-06-04 02:29+0200\n" -"PO-Revision-Date: 2013-06-03 00:32+0000\n" -"Last-Translator: I Robot \n" -"Language-Team: Russian (Russia) (http://www.transifex.com/projects/p/owncloud/language/ru_RU/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: ru_RU\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" - -#: app.php:357 -msgid "Help" -msgstr "" - -#: app.php:370 -msgid "Personal" -msgstr "" - -#: app.php:381 -msgid "Settings" -msgstr "Настройки" - -#: app.php:393 -msgid "Users" -msgstr "" - -#: app.php:406 -msgid "Apps" -msgstr "" - -#: app.php:414 -msgid "Admin" -msgstr "" - -#: files.php:210 -msgid "ZIP download is turned off." -msgstr "" - -#: files.php:211 -msgid "Files need to be downloaded one by one." -msgstr "" - -#: files.php:212 files.php:245 -msgid "Back to Files" -msgstr "" - -#: files.php:242 -msgid "Selected files too large to generate zip file." -msgstr "" - -#: helper.php:236 -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.php:34 -msgid "Set an admin username." -msgstr "" - -#: setup.php:37 -msgid "Set an admin password." -msgstr "" - -#: setup.php:55 -#, php-format -msgid "%s enter the database username." -msgstr "" - -#: setup.php:58 -#, php-format -msgid "%s enter the database name." -msgstr "" - -#: setup.php:61 -#, php-format -msgid "%s you may not use dots in the database name" -msgstr "" - -#: setup.php:64 -#, php-format -msgid "%s set the database host." -msgstr "" - -#: setup.php:132 setup.php:329 setup.php:374 -msgid "PostgreSQL username and/or password not valid" -msgstr "" - -#: setup.php:133 setup.php:238 -msgid "You need to enter either an existing account or the administrator." -msgstr "" - -#: setup.php:155 -msgid "Oracle connection could not be established" -msgstr "" - -#: setup.php:237 -msgid "MySQL username and/or password not valid" -msgstr "" - -#: setup.php:291 setup.php:395 setup.php:404 setup.php:422 setup.php:432 -#: setup.php:441 setup.php:474 setup.php:540 setup.php:566 setup.php:573 -#: setup.php:584 setup.php:591 setup.php:600 setup.php:608 setup.php:617 -#: setup.php:623 -#, php-format -msgid "DB Error: \"%s\"" -msgstr "" - -#: setup.php:292 setup.php:396 setup.php:405 setup.php:423 setup.php:433 -#: setup.php:442 setup.php:475 setup.php:541 setup.php:567 setup.php:574 -#: setup.php:585 setup.php:601 setup.php:609 setup.php:618 -#, php-format -msgid "Offending command was: \"%s\"" -msgstr "" - -#: setup.php:308 -#, php-format -msgid "MySQL user '%s'@'localhost' exists already." -msgstr "" - -#: setup.php:309 -msgid "Drop this user from MySQL" -msgstr "" - -#: setup.php:314 -#, php-format -msgid "MySQL user '%s'@'%%' already exists" -msgstr "" - -#: setup.php:315 -msgid "Drop this user from MySQL." -msgstr "" - -#: setup.php:466 setup.php:533 -msgid "Oracle username and/or password not valid" -msgstr "" - -#: setup.php:592 setup.php:624 -#, php-format -msgid "Offending command was: \"%s\", name: %s, password: %s" -msgstr "" - -#: setup.php:644 -#, php-format -msgid "MS SQL username and/or password not valid: %s" -msgstr "" - -#: setup.php:867 -msgid "" -"Your web server is not yet properly setup to allow files synchronization " -"because the WebDAV interface seems to be broken." -msgstr "" - -#: setup.php:868 -#, php-format -msgid "Please double check the installation guides." -msgstr "" - -#: template.php:113 -msgid "seconds ago" -msgstr "" - -#: template.php:114 -msgid "1 minute ago" -msgstr "" - -#: template.php:115 -#, php-format -msgid "%d minutes ago" -msgstr "" - -#: template.php:116 -msgid "1 hour ago" -msgstr "" - -#: template.php:117 -#, php-format -msgid "%d hours ago" -msgstr "" - -#: template.php:118 -msgid "today" -msgstr "" - -#: template.php:119 -msgid "yesterday" -msgstr "" - -#: template.php:120 -#, php-format -msgid "%d days ago" -msgstr "" - -#: template.php:121 -msgid "last month" -msgstr "" - -#: template.php:122 -#, php-format -msgid "%d months ago" -msgstr "" - -#: template.php:123 -msgid "last year" -msgstr "" - -#: template.php:124 -msgid "years ago" -msgstr "" - -#: vcategories.php:188 vcategories.php:249 -#, php-format -msgid "Could not find category \"%s\"" -msgstr "" diff --git a/l10n/ru_RU/settings.po b/l10n/ru_RU/settings.po deleted file mode 100644 index 34972e5304e..00000000000 --- a/l10n/ru_RU/settings.po +++ /dev/null @@ -1,496 +0,0 @@ -# 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-06-03 02:27+0200\n" -"PO-Revision-Date: 2013-06-02 23:17+0000\n" -"Last-Translator: I Robot \n" -"Language-Team: Russian (Russia) (http://www.transifex.com/projects/p/owncloud/language/ru_RU/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: ru_RU\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\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:24 -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:30 -msgid "Update to {appversion}" -msgstr "" - -#: js/apps.js:36 js/apps.js:76 -msgid "Disable" -msgstr "" - -#: js/apps.js:36 js/apps.js:64 js/apps.js:83 -msgid "Enable" -msgstr "" - -#: js/apps.js:55 -msgid "Please wait...." -msgstr "" - -#: js/apps.js:59 js/apps.js:71 js/apps.js:80 js/apps.js:93 -msgid "Error" -msgstr "Ошибка" - -#: js/apps.js:90 -msgid "Updating...." -msgstr "" - -#: js/apps.js:93 -msgid "Error while updating app" -msgstr "" - -#: js/apps.js:96 -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:83 -#: templates/users.php:108 -msgid "Groups" -msgstr "Группы" - -#: js/users.js:95 templates/users.php:85 templates/users.php:120 -msgid "Group Admin" -msgstr "" - -#: js/users.js:115 templates/users.php:160 -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:35 personal.php:36 -msgid "__language_name__" -msgstr "" - -#: templates/admin.php:15 -msgid "Security Warning" -msgstr "" - -#: templates/admin.php:18 -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:29 -msgid "Setup Warning" -msgstr "" - -#: templates/admin.php:32 -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 -#, php-format -msgid "Please double check the installation guides." -msgstr "" - -#: templates/admin.php:44 -msgid "Module 'fileinfo' missing" -msgstr "" - -#: templates/admin.php:47 -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 -msgid "Locale not working" -msgstr "" - -#: templates/admin.php:63 -#, 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:75 -msgid "Internet connection not working" -msgstr "" - -#: templates/admin.php:78 -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:92 -msgid "Cron" -msgstr "" - -#: templates/admin.php:101 -msgid "Execute one task with each page loaded" -msgstr "" - -#: templates/admin.php:111 -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 -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 -msgid "Sharing" -msgstr "" - -#: templates/admin.php:134 -msgid "Enable Share API" -msgstr "" - -#: templates/admin.php:135 -msgid "Allow apps to use the Share API" -msgstr "" - -#: templates/admin.php:142 -msgid "Allow links" -msgstr "" - -#: templates/admin.php:143 -msgid "Allow users to share items to the public with links" -msgstr "" - -#: templates/admin.php:150 -msgid "Allow resharing" -msgstr "" - -#: templates/admin.php:151 -msgid "Allow users to share items shared with them again" -msgstr "" - -#: templates/admin.php:158 -msgid "Allow users to share with anyone" -msgstr "" - -#: templates/admin.php:161 -msgid "Allow users to only share with users in their groups" -msgstr "" - -#: templates/admin.php:168 -msgid "Security" -msgstr "" - -#: templates/admin.php:181 -msgid "Enforce HTTPS" -msgstr "" - -#: templates/admin.php:182 -msgid "" -"Enforces the clients to connect to ownCloud via an encrypted connection." -msgstr "" - -#: templates/admin.php:185 -msgid "" -"Please connect to this ownCloud instance via HTTPS to enable or disable the " -"SSL enforcement." -msgstr "" - -#: templates/admin.php:195 -msgid "Log" -msgstr "" - -#: templates/admin.php:196 -msgid "Log level" -msgstr "" - -#: templates/admin.php:227 -msgid "More" -msgstr "" - -#: templates/admin.php:228 -msgid "Less" -msgstr "" - -#: templates/admin.php:235 templates/personal.php:111 -msgid "Version" -msgstr "" - -#: templates/admin.php:237 templates/personal.php:114 -msgid "" -"Developed by the ownCloud community, the source code is " -"licensed under the AGPL." -msgstr "" - -#: templates/apps.php:11 -msgid "Add your App" -msgstr "" - -#: templates/apps.php:12 -msgid "More Apps" -msgstr "" - -#: templates/apps.php:28 -msgid "Select an App" -msgstr "" - -#: templates/apps.php:34 -msgid "See application page at apps.owncloud.com" -msgstr "" - -#: templates/apps.php:36 -msgid "-licensed by " -msgstr "" - -#: templates/apps.php:38 -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:8 -#, php-format -msgid "You have used %s of the available %s" -msgstr "" - -#: templates/personal.php:15 -msgid "Get the apps to sync your files" -msgstr "" - -#: templates/personal.php:26 -msgid "Show First Run Wizard again" -msgstr "" - -#: templates/personal.php:37 templates/users.php:23 templates/users.php:82 -msgid "Password" -msgstr "" - -#: templates/personal.php:38 -msgid "Your password was changed" -msgstr "" - -#: templates/personal.php:39 -msgid "Unable to change your password" -msgstr "" - -#: templates/personal.php:40 -msgid "Current password" -msgstr "" - -#: templates/personal.php:42 -msgid "New password" -msgstr "" - -#: templates/personal.php:44 -msgid "Change password" -msgstr "" - -#: templates/personal.php:56 templates/users.php:81 -msgid "Display Name" -msgstr "" - -#: templates/personal.php:71 -msgid "Email" -msgstr "Email" - -#: templates/personal.php:73 -msgid "Your email address" -msgstr "" - -#: templates/personal.php:74 -msgid "Fill in an email address to enable password recovery" -msgstr "" - -#: templates/personal.php:83 templates/personal.php:84 -msgid "Language" -msgstr "" - -#: templates/personal.php:95 -msgid "Help translate" -msgstr "" - -#: templates/personal.php:100 -msgid "WebDAV" -msgstr "" - -#: templates/personal.php:102 -msgid "Use this address to connect to your ownCloud in your file manager" -msgstr "" - -#: templates/users.php:21 templates/users.php:80 -msgid "Login Name" -msgstr "" - -#: templates/users.php:30 -msgid "Create" -msgstr "" - -#: templates/users.php:34 -msgid "Admin Recovery Password" -msgstr "" - -#: templates/users.php:38 -msgid "Default Storage" -msgstr "" - -#: templates/users.php:44 templates/users.php:138 -msgid "Unlimited" -msgstr "" - -#: templates/users.php:62 templates/users.php:153 -msgid "Other" -msgstr "Другое" - -#: templates/users.php:87 -msgid "Storage" -msgstr "" - -#: templates/users.php:98 -msgid "change display name" -msgstr "" - -#: templates/users.php:102 -msgid "set new password" -msgstr "" - -#: templates/users.php:133 -msgid "Default" -msgstr "" diff --git a/l10n/ru_RU/user_ldap.po b/l10n/ru_RU/user_ldap.po deleted file mode 100644 index 42a5e0fe723..00000000000 --- a/l10n/ru_RU/user_ldap.po +++ /dev/null @@ -1,419 +0,0 @@ -# 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-06-03 02:27+0200\n" -"PO-Revision-Date: 2013-04-26 08:02+0000\n" -"Last-Translator: FULL NAME \n" -"Language-Team: Russian (Russia) (http://www.transifex.com/projects/p/owncloud/language/ru_RU/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: ru_RU\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\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/ru_RU/user_webdavauth.po b/l10n/ru_RU/user_webdavauth.po deleted file mode 100644 index b2e91524574..00000000000 --- a/l10n/ru_RU/user_webdavauth.po +++ /dev/null @@ -1,36 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# -# Translators: -# AnnaSch , 2013 -# AnnaSch , 2012 -# skoptev , 2012 -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: 2012-11-09 09:06+0000\n" -"Last-Translator: FULL NAME \n" -"Language-Team: Russian (Russia) (http://www.transifex.com/projects/p/owncloud/language/ru_RU/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: ru_RU\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" - -#: templates/settings.php:3 -msgid "WebDAV Authentication" -msgstr "" - -#: templates/settings.php:4 -msgid "URL: http://" -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/lib/l10n/ru_RU.php b/lib/l10n/ru_RU.php deleted file mode 100644 index 1761c1ebf3b..00000000000 --- a/lib/l10n/ru_RU.php +++ /dev/null @@ -1,6 +0,0 @@ - "Настройки", -"Text" => "Текст" -); -$PLURAL_FORMS = "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"; diff --git a/settings/l10n/ru_RU.php b/settings/l10n/ru_RU.php deleted file mode 100644 index 87b0ec11812..00000000000 --- a/settings/l10n/ru_RU.php +++ /dev/null @@ -1,11 +0,0 @@ - "Ошибка", -"Saving..." => "Сохранение", -"deleted" => "удалено", -"Groups" => "Группы", -"Delete" => "Удалить", -"Email" => "Email", -"Other" => "Другое" -); -$PLURAL_FORMS = "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"; diff --git a/settings/languageCodes.php b/settings/languageCodes.php index 40213b3a7e5..3613ee4fe97 100644 --- a/settings/languageCodes.php +++ b/settings/languageCodes.php @@ -61,7 +61,6 @@ return array( 'pl_PL'=>'Polski', 'ka_GE'=>'Georgian for Georgia', 'ku_IQ'=>'Kurdish Iraq', -'ru_RU'=>'Русский язык', 'si_LK'=>'Sinhala', 'be'=>'Belarusian', 'ka'=>'Kartuli (Georgian)', -- GitLab From 60efd93d5de3201c38fb734887aef27e0856e118 Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Sat, 17 Aug 2013 11:56:52 +0200 Subject: [PATCH 267/415] fixes for IE8 --- core/css/styles.css | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/core/css/styles.css b/core/css/styles.css index 2d64b578de7..becf0af9056 100644 --- a/core/css/styles.css +++ b/core/css/styles.css @@ -320,16 +320,16 @@ label.infield { cursor:text !important; top:1.05em; left:.85em; } box-sizing: border-box; } -#body-login footer p.info a, #body-login #showAdvanced { +#body-login p.info a, #body-login #showAdvanced { color: #ccc; } -#body-login footer p.info a:hover, #body-login footer p.info a:focus { +#body-login p.info a:hover, #body-login p.info a:focus { color: #fff; } -#body-login footer { +#body-login p.info{ white-space: nowrap; } -- GitLab From 16efd81a0ef63a1ce58769999b4a9e2353e5061b Mon Sep 17 00:00:00 2001 From: Bjoern Schiessle Date: Sat, 17 Aug 2013 11:57:50 +0200 Subject: [PATCH 268/415] first check if file exists before checking the files size --- apps/files_versions/lib/versions.php | 19 +++++++++---------- 1 file changed, 9 insertions(+), 10 deletions(-) diff --git a/apps/files_versions/lib/versions.php b/apps/files_versions/lib/versions.php index 70b8f30be5c..2886a202be5 100644 --- a/apps/files_versions/lib/versions.php +++ b/apps/files_versions/lib/versions.php @@ -48,14 +48,14 @@ class Storage { /** * get current size of all versions from a given user - * + * * @param $user user who owns the versions * @return mixed versions size or false if no versions size is stored */ private static function getVersionsSize($user) { $query = \OC_DB::prepare('SELECT `size` FROM `*PREFIX*files_versions` WHERE `user`=?'); $result = $query->execute(array($user))->fetchAll(); - + if ($result) { return $result[0]['size']; } @@ -64,7 +64,7 @@ class Storage { /** * write to the database how much space is in use for versions - * + * * @param $user owner of the versions * @param $size size of the versions */ @@ -76,20 +76,20 @@ class Storage { } $query->execute(array($size, $user)); } - + /** * store a new version of a file. */ public static function store($filename) { if(\OCP\Config::getSystemValue('files_versions', Storage::DEFAULTENABLED)=='true') { - + // if the file gets streamed we need to remove the .part extension // to get the right target $ext = pathinfo($filename, PATHINFO_EXTENSION); if ($ext === 'part') { $filename = substr($filename, 0, strlen($filename)-5); } - + list($uid, $filename) = self::getUidAndFilename($filename); $files_view = new \OC\Files\View('/'.$uid .'/files'); @@ -104,8 +104,7 @@ class Storage { // we should have a source file to work with, and the file shouldn't // be empty $fileExists = $files_view->file_exists($filename); - $fileSize = $files_view->filesize($filename); - if ($fileExists === false || $fileSize === 0) { + if (!($fileExists && $files_view->filesize($filename) > 0)) { return false; } @@ -174,7 +173,7 @@ class Storage { list($uidn, $newpath) = self::getUidAndFilename($new_path); $versions_view = new \OC\Files\View('/'.$uid .'/files_versions'); $files_view = new \OC\Files\View('/'.$uid .'/files'); - + // if the file already exists than it was a upload of a existing file // over the web interface -> store() is the right function we need here if ($files_view->file_exists($newpath)) { @@ -435,7 +434,7 @@ class Storage { } else { $quota = \OCP\Util::computerFileSize($quota); } - + // make sure that we have the current size of the version history if ( $versionsSize === null ) { $versionsSize = self::getVersionsSize($uid); -- GitLab From 2ee8425295affcc5a5632d2f7ea17c66e539b3be Mon Sep 17 00:00:00 2001 From: kondou Date: Sat, 17 Aug 2013 12:07:58 +0200 Subject: [PATCH 269/415] Remove cancel button from filepicker Having the cancel button in the bottom right corner was a bit confusing. It's useless anyways, since there's a X in the top right. --- core/js/oc-dialogs.js | 4 ---- 1 file changed, 4 deletions(-) diff --git a/core/js/oc-dialogs.js b/core/js/oc-dialogs.js index f4bc174b5eb..5cbc8359d52 100644 --- a/core/js/oc-dialogs.js +++ b/core/js/oc-dialogs.js @@ -117,10 +117,6 @@ var OCdialogs = { text: t('core', 'Choose'), click: functionToCall, defaultButton: true - }, - { - text: t('core', 'Cancel'), - click: function(){self.$filePicker.ocdialog('close'); } }]; self.$filePicker.ocdialog({ -- GitLab From c538ac3081119e8bbd2aa375505ce79047a4d3f4 Mon Sep 17 00:00:00 2001 From: Arthur Schiwon Date: Wed, 14 Aug 2013 16:03:18 +0200 Subject: [PATCH 270/415] LDAP: only connect to LDAP once on login --- apps/user_ldap/lib/connection.php | 14 +++++++++++++- apps/user_ldap/user_ldap.php | 10 +++++----- 2 files changed, 18 insertions(+), 6 deletions(-) diff --git a/apps/user_ldap/lib/connection.php b/apps/user_ldap/lib/connection.php index 36c8e648b1a..0372112f0e2 100644 --- a/apps/user_ldap/lib/connection.php +++ b/apps/user_ldap/lib/connection.php @@ -29,6 +29,9 @@ class Connection { private $configID; private $configured = false; + //whether connection should be kept on __destruct + private $dontDestruct = false; + //cache handler protected $cache; @@ -83,11 +86,20 @@ class Connection { } public function __destruct() { - if(is_resource($this->ldapConnectionRes)) { + if(!$this->dontDestruct && is_resource($this->ldapConnectionRes)) { @ldap_unbind($this->ldapConnectionRes); }; } + /** + * @brief defines behaviour when the instance is cloned + */ + public function __clone() { + //a cloned instance inherits the connection resource. It may use it, + //but it may not disconnect it + $this->dontDestruct = true; + } + public function __get($name) { if(!$this->configured) { $this->readConfiguration(); diff --git a/apps/user_ldap/user_ldap.php b/apps/user_ldap/user_ldap.php index 41e2926605e..850ca0df995 100644 --- a/apps/user_ldap/user_ldap.php +++ b/apps/user_ldap/user_ldap.php @@ -77,11 +77,6 @@ class USER_LDAP extends lib\Access implements \OCP\UserInterface { } $dn = $ldap_users[0]; - //are the credentials OK? - if(!$this->areCredentialsValid($dn, $password)) { - return false; - } - //do we have a username for him/her? $ocname = $this->dn2username($dn); @@ -90,6 +85,11 @@ class USER_LDAP extends lib\Access implements \OCP\UserInterface { $this->updateQuota($dn); $this->updateEmail($dn); + //are the credentials OK? + if(!$this->areCredentialsValid($dn, $password)) { + return false; + } + //give back the display name return $ocname; } -- GitLab From 29b6dd53a095fd4140bf68a5ba7a4fd57c04a82d Mon Sep 17 00:00:00 2001 From: Bart Visscher Date: Sat, 17 Aug 2013 12:58:10 +0200 Subject: [PATCH 271/415] Compare result are already true/false --- apps/files/ajax/download.php | 2 +- apps/files/ajax/list.php | 2 +- apps/files_encryption/settings-personal.php | 2 +- apps/files_external/lib/amazons3.php | 2 +- apps/files_external/lib/config.php | 12 ++++++------ apps/files_external/lib/sftp.php | 2 +- apps/files_sharing/public.php | 6 +++--- settings/admin.php | 2 +- settings/ajax/getlog.php | 2 +- 9 files changed, 16 insertions(+), 16 deletions(-) diff --git a/apps/files/ajax/download.php b/apps/files/ajax/download.php index b2bfd53506d..6a34cbe4ef1 100644 --- a/apps/files/ajax/download.php +++ b/apps/files/ajax/download.php @@ -39,4 +39,4 @@ if (!is_array($files_list)) { $files_list = array($files); } -OC_Files::get($dir, $files_list, $_SERVER['REQUEST_METHOD'] == 'HEAD' ? true : false); +OC_Files::get($dir, $files_list, $_SERVER['REQUEST_METHOD'] == 'HEAD'); diff --git a/apps/files/ajax/list.php b/apps/files/ajax/list.php index 878e4cb2159..b2975790a10 100644 --- a/apps/files/ajax/list.php +++ b/apps/files/ajax/list.php @@ -10,7 +10,7 @@ OCP\JSON::checkLoggedIn(); // Load the files $dir = isset( $_GET['dir'] ) ? $_GET['dir'] : ''; -$doBreadcrumb = isset( $_GET['breadcrumb'] ) ? true : false; +$doBreadcrumb = isset( $_GET['breadcrumb'] ); $data = array(); // Make breadcrumb diff --git a/apps/files_encryption/settings-personal.php b/apps/files_encryption/settings-personal.php index fddc3ea5eee..589219f32ad 100644 --- a/apps/files_encryption/settings-personal.php +++ b/apps/files_encryption/settings-personal.php @@ -16,7 +16,7 @@ $view = new \OC_FilesystemView('/'); $util = new \OCA\Encryption\Util($view, $user); $session = new \OCA\Encryption\Session($view); -$privateKeySet = ($session->getPrivateKey() !== false) ? true : false; +$privateKeySet = $session->getPrivateKey() !== false; $recoveryAdminEnabled = OC_Appconfig::getValue('files_encryption', 'recoveryAdminEnabled'); $recoveryEnabledForUser = $util->recoveryEnabledForUser(); diff --git a/apps/files_external/lib/amazons3.php b/apps/files_external/lib/amazons3.php index f4d1940b184..9363a350e27 100644 --- a/apps/files_external/lib/amazons3.php +++ b/apps/files_external/lib/amazons3.php @@ -79,7 +79,7 @@ class AmazonS3 extends \OC\Files\Storage\Common { $this->bucket = $params['bucket']; $scheme = ($params['use_ssl'] === 'false') ? 'http' : 'https'; - $this->test = ( isset($params['test'])) ? true : false; + $this->test = isset($params['test']); $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']; diff --git a/apps/files_external/lib/config.php b/apps/files_external/lib/config.php index 14e974d65ca..1935740cd2e 100755 --- a/apps/files_external/lib/config.php +++ b/apps/files_external/lib/config.php @@ -418,9 +418,9 @@ class OC_Mount_Config { public static function checksmbclient() { if(function_exists('shell_exec')) { $output=shell_exec('which smbclient'); - return (empty($output)?false:true); + return !empty($output); }else{ - return(false); + return false; } } @@ -429,9 +429,9 @@ class OC_Mount_Config { */ public static function checkphpftp() { if(function_exists('ftp_login')) { - return(true); + return true; }else{ - return(false); + return false; } } @@ -439,7 +439,7 @@ class OC_Mount_Config { * check if curl is installed */ public static function checkcurl() { - return (function_exists('curl_init')); + return function_exists('curl_init'); } /** @@ -460,6 +460,6 @@ class OC_Mount_Config { $txt.=$l->t('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.').'
    '; } - return($txt); + return $txt; } } diff --git a/apps/files_external/lib/sftp.php b/apps/files_external/lib/sftp.php index 4fd36096463..f7f329b8993 100644 --- a/apps/files_external/lib/sftp.php +++ b/apps/files_external/lib/sftp.php @@ -170,7 +170,7 @@ class SFTP extends \OC\Files\Storage\Common { public function file_exists($path) { try { - return $this->client->stat($this->abs_path($path)) === false ? false : true; + return $this->client->stat($this->abs_path($path)) !== false; } catch (\Exception $e) { return false; } diff --git a/apps/files_sharing/public.php b/apps/files_sharing/public.php index 741ab145384..6dfe8a4bc00 100644 --- a/apps/files_sharing/public.php +++ b/apps/files_sharing/public.php @@ -112,9 +112,9 @@ if (isset($path)) { if ($files_list === NULL ) { $files_list = array($files); } - OC_Files::get($path, $files_list, $_SERVER['REQUEST_METHOD'] == 'HEAD' ? true : false); + OC_Files::get($path, $files_list, $_SERVER['REQUEST_METHOD'] == 'HEAD'); } else { - OC_Files::get($dir, $file, $_SERVER['REQUEST_METHOD'] == 'HEAD' ? true : false); + OC_Files::get($dir, $file, $_SERVER['REQUEST_METHOD'] == 'HEAD'); } exit(); } else { @@ -133,7 +133,7 @@ if (isset($path)) { $tmpl->assign('mimetype', \OC\Files\Filesystem::getMimeType($path)); $tmpl->assign('fileTarget', basename($linkItem['file_target'])); $tmpl->assign('dirToken', $linkItem['token']); - $allowPublicUploadEnabled = (($linkItem['permissions'] & OCP\PERMISSION_CREATE) ? true : false ); + $allowPublicUploadEnabled = ($linkItem['permissions'] & OCP\PERMISSION_CREATE) !== 0; if (\OCP\App::isEnabled('files_encryption')) { $allowPublicUploadEnabled = false; } diff --git a/settings/admin.php b/settings/admin.php index 10e239204f2..6c01d4007de 100755 --- a/settings/admin.php +++ b/settings/admin.php @@ -18,7 +18,7 @@ $forms=OC_App::getForms('admin'); $htaccessworking=OC_Util::ishtaccessworking(); $entries=OC_Log_Owncloud::getEntries(3); -$entriesremain=(count(OC_Log_Owncloud::getEntries(4)) > 3)?true:false; +$entriesremain=count(OC_Log_Owncloud::getEntries(4)) > 3; $tmpl->assign('loglevel', OC_Config::getValue( "loglevel", 2 )); $tmpl->assign('entries', $entries); diff --git a/settings/ajax/getlog.php b/settings/ajax/getlog.php index e7151419286..f160512b6ad 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 ) ); -- GitLab From f71794f0d5a09686e2bcf1a5b6ec0b19076a43e5 Mon Sep 17 00:00:00 2001 From: Bjoern Schiessle Date: Sat, 17 Aug 2013 13:28:35 +0200 Subject: [PATCH 272/415] added createMissingDirectories() method --- apps/files_versions/lib/versions.php | 53 ++++++++++++++-------------- 1 file changed, 27 insertions(+), 26 deletions(-) diff --git a/apps/files_versions/lib/versions.php b/apps/files_versions/lib/versions.php index ddf73f415c5..39220f43d5f 100644 --- a/apps/files_versions/lib/versions.php +++ b/apps/files_versions/lib/versions.php @@ -48,14 +48,14 @@ class Storage { /** * get current size of all versions from a given user - * + * * @param $user user who owns the versions * @return mixed versions size or false if no versions size is stored */ private static function getVersionsSize($user) { $query = \OC_DB::prepare('SELECT `size` FROM `*PREFIX*files_versions` WHERE `user`=?'); $result = $query->execute(array($user))->fetchAll(); - + if ($result) { return $result[0]['size']; } @@ -64,7 +64,7 @@ class Storage { /** * write to the database how much space is in use for versions - * + * * @param $user owner of the versions * @param $size size of the versions */ @@ -76,20 +76,20 @@ class Storage { } $query->execute(array($size, $user)); } - + /** * store a new version of a file. */ public static function store($filename) { if(\OCP\Config::getSystemValue('files_versions', Storage::DEFAULTENABLED)=='true') { - + // if the file gets streamed we need to remove the .part extension // to get the right target $ext = pathinfo($filename, PATHINFO_EXTENSION); if ($ext === 'part') { $filename = substr($filename, 0, strlen($filename)-5); } - + list($uid, $filename) = self::getUidAndFilename($filename); $files_view = new \OC\Files\View('/'.$uid .'/files'); @@ -110,15 +110,7 @@ class Storage { } // create all parent folders - $dirname= \OC_Filesystem::normalizePath(pathinfo($filename, PATHINFO_DIRNAME)); - $dirParts = explode('/', $dirname); - $dir = "/files_versions"; - foreach ($dirParts as $part) { - $dir = $dir.'/'.$part; - if(!$users_view->file_exists($dir)) { - $users_view->mkdir($dir); - } - } + self::createMissingDirectories($filename, $users_view); $versionsSize = self::getVersionsSize($uid); if ( $versionsSize === false || $versionsSize < 0 ) { @@ -178,7 +170,7 @@ class Storage { list($uidn, $newpath) = self::getUidAndFilename($new_path); $versions_view = new \OC\Files\View('/'.$uid .'/files_versions'); $files_view = new \OC\Files\View('/'.$uid .'/files'); - + // if the file already exists than it was a upload of a existing file // over the web interface -> store() is the right function we need here if ($files_view->file_exists($newpath)) { @@ -191,15 +183,8 @@ class Storage { $versions_view->rename($oldpath, $newpath); } else if ( ($versions = Storage::getVersions($uid, $oldpath)) ) { // create missing dirs if necessary - $dirname = \OC_Filesystem::normalizePath(pathinfo($newpath, PATHINFO_DIRNAME)); - $dirParts = explode('/', $dirname); - $dir = "/files_versions"; - foreach ($dirParts as $part) { - $dir = $dir.'/'.$part; - if(!$users_view->file_exists($dir)) { - $users_view->mkdir($dir); - } - } + self::createMissingDirectories($newpath, new \OC\Files\View('/'. $uidn)); + foreach ($versions as $v) { $versions_view->rename($oldpath.'.v'.$v['version'], $newpath.'.v'.$v['version']); } @@ -445,7 +430,7 @@ class Storage { } else { $quota = \OCP\Util::computerFileSize($quota); } - + // make sure that we have the current size of the version history if ( $versionsSize === null ) { $versionsSize = self::getVersionsSize($uid); @@ -578,4 +563,20 @@ class Storage { return $size; } + /** + * @brief create recursively missing directories + * @param string $filename $path to a file + */ + private static function createMissingDirectories($filename, $view) { + $dirname = \OC_Filesystem::normalizePath(pathinfo($filename, PATHINFO_DIRNAME)); + $dirParts = explode('/', $dirname); + $dir = "/files_versions"; + foreach ($dirParts as $part) { + $dir = $dir . '/' . $part; + if (!$view->file_exists($dir)) { + $view->mkdir($dir); + } + } + } + } -- GitLab From db8fdd5032ca3c4b4fa54cc617909abf3525622c Mon Sep 17 00:00:00 2001 From: Bjoern Schiessle Date: Sat, 17 Aug 2013 13:46:33 +0200 Subject: [PATCH 273/415] added missing parameter documentation --- apps/files_versions/lib/versions.php | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/apps/files_versions/lib/versions.php b/apps/files_versions/lib/versions.php index 39220f43d5f..d91654fe24a 100644 --- a/apps/files_versions/lib/versions.php +++ b/apps/files_versions/lib/versions.php @@ -184,7 +184,7 @@ class Storage { } else if ( ($versions = Storage::getVersions($uid, $oldpath)) ) { // create missing dirs if necessary self::createMissingDirectories($newpath, new \OC\Files\View('/'. $uidn)); - + foreach ($versions as $v) { $versions_view->rename($oldpath.'.v'.$v['version'], $newpath.'.v'.$v['version']); } @@ -566,6 +566,7 @@ class Storage { /** * @brief create recursively missing directories * @param string $filename $path to a file + * @param \OC\Files\View $view view on data/user/ */ private static function createMissingDirectories($filename, $view) { $dirname = \OC_Filesystem::normalizePath(pathinfo($filename, PATHINFO_DIRNAME)); -- GitLab From f28f528431fceca7daa3b27edcd1f564ad152086 Mon Sep 17 00:00:00 2001 From: Bjoern Schiessle Date: Sat, 17 Aug 2013 13:49:42 +0200 Subject: [PATCH 274/415] switched to dirname() --- apps/files_versions/lib/versions.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/apps/files_versions/lib/versions.php b/apps/files_versions/lib/versions.php index d91654fe24a..f8537f10c4a 100644 --- a/apps/files_versions/lib/versions.php +++ b/apps/files_versions/lib/versions.php @@ -569,7 +569,7 @@ class Storage { * @param \OC\Files\View $view view on data/user/ */ private static function createMissingDirectories($filename, $view) { - $dirname = \OC_Filesystem::normalizePath(pathinfo($filename, PATHINFO_DIRNAME)); + $dirname = \OC_Filesystem::normalizePath(dirname($filename)); $dirParts = explode('/', $dirname); $dir = "/files_versions"; foreach ($dirParts as $part) { -- GitLab From f41c4312ff4c99bebf9475c61faaf07edb5b6179 Mon Sep 17 00:00:00 2001 From: Arthur Schiwon Date: Sat, 17 Aug 2013 17:22:54 +0200 Subject: [PATCH 275/415] LDAP: use memcache if available --- apps/user_ldap/lib/connection.php | 7 ++++++- 1 file changed, 6 insertions(+), 1 deletion(-) diff --git a/apps/user_ldap/lib/connection.php b/apps/user_ldap/lib/connection.php index 0372112f0e2..e5d9b4d5b40 100644 --- a/apps/user_ldap/lib/connection.php +++ b/apps/user_ldap/lib/connection.php @@ -80,7 +80,12 @@ class Connection { public function __construct($configPrefix = '', $configID = 'user_ldap') { $this->configPrefix = $configPrefix; $this->configID = $configID; - $this->cache = \OC_Cache::getGlobalCache(); + $memcache = new \OC\Memcache\Factory(); + if($memcache->isAvailable()) { + $this->cache = $memcache->create(); + } else { + $this->cache = \OC_Cache::getGlobalCache(); + } $this->config['hasPagedResultSupport'] = (function_exists('ldap_control_paged_result') && function_exists('ldap_control_paged_result_response')); } -- GitLab From b4cc79970d2bfef0b09043ea9dfd7820d4a55cda Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Sat, 17 Aug 2013 18:17:49 +0200 Subject: [PATCH 276/415] update 3rdparty submodule --- 3rdparty | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/3rdparty b/3rdparty index 2f3ae9f56a9..0902b456d11 160000 --- a/3rdparty +++ b/3rdparty @@ -1 +1 @@ -Subproject commit 2f3ae9f56a9838b45254393e13c14f8a8c380d6b +Subproject commit 0902b456d11c9caed78b758db0adefa643549f67 -- GitLab From 7575186fa61b0154de592b37091a43ac97063d40 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Sat, 17 Aug 2013 18:20:20 +0200 Subject: [PATCH 277/415] moving Dropbox and smb4php 3rdparty code over to the apps --- apps/files_external/3rdparty/Dropbox/API.php | 380 ++++++++++++++ .../3rdparty/Dropbox/Exception.php | 15 + .../3rdparty/Dropbox/Exception/Forbidden.php | 18 + .../3rdparty/Dropbox/Exception/NotFound.php | 20 + .../3rdparty/Dropbox/Exception/OverQuota.php | 20 + .../Dropbox/Exception/RequestToken.php | 18 + .../3rdparty/Dropbox/LICENSE.txt | 19 + .../files_external/3rdparty/Dropbox/OAuth.php | 151 ++++++ .../Dropbox/OAuth/Consumer/Dropbox.php | 37 ++ .../3rdparty/Dropbox/OAuth/Curl.php | 282 ++++++++++ .../files_external/3rdparty/Dropbox/README.md | 31 ++ .../3rdparty/Dropbox/autoload.php | 29 ++ apps/files_external/3rdparty/smb4php/smb.php | 484 ++++++++++++++++++ apps/files_external/lib/dropbox.php | 2 +- apps/files_external/lib/smb.php | 2 +- 15 files changed, 1506 insertions(+), 2 deletions(-) create mode 100644 apps/files_external/3rdparty/Dropbox/API.php create mode 100644 apps/files_external/3rdparty/Dropbox/Exception.php create mode 100644 apps/files_external/3rdparty/Dropbox/Exception/Forbidden.php create mode 100644 apps/files_external/3rdparty/Dropbox/Exception/NotFound.php create mode 100644 apps/files_external/3rdparty/Dropbox/Exception/OverQuota.php create mode 100644 apps/files_external/3rdparty/Dropbox/Exception/RequestToken.php create mode 100644 apps/files_external/3rdparty/Dropbox/LICENSE.txt create mode 100644 apps/files_external/3rdparty/Dropbox/OAuth.php create mode 100644 apps/files_external/3rdparty/Dropbox/OAuth/Consumer/Dropbox.php create mode 100644 apps/files_external/3rdparty/Dropbox/OAuth/Curl.php create mode 100644 apps/files_external/3rdparty/Dropbox/README.md create mode 100644 apps/files_external/3rdparty/Dropbox/autoload.php create mode 100644 apps/files_external/3rdparty/smb4php/smb.php diff --git a/apps/files_external/3rdparty/Dropbox/API.php b/apps/files_external/3rdparty/Dropbox/API.php new file mode 100644 index 00000000000..8cdce678e1c --- /dev/null +++ b/apps/files_external/3rdparty/Dropbox/API.php @@ -0,0 +1,380 @@ +oauth = $oauth; + $this->root = $root; + $this->useSSL = $useSSL; + if (!$this->useSSL) + { + throw new Dropbox_Exception('Dropbox REST API now requires that all requests use SSL'); + } + + } + + /** + * Returns information about the current dropbox account + * + * @return stdclass + */ + public function getAccountInfo() { + + $data = $this->oauth->fetch($this->api_url . 'account/info'); + return json_decode($data['body'],true); + + } + + /** + * Returns a file's contents + * + * @param string $path path + * @param string $root Use this to override the default root path (sandbox/dropbox) + * @return string + */ + public function getFile($path = '', $root = null) { + + if (is_null($root)) $root = $this->root; + $path = str_replace(array('%2F','~'), array('/','%7E'), rawurlencode($path)); + $result = $this->oauth->fetch($this->api_content_url . 'files/' . $root . '/' . ltrim($path,'/')); + return $result['body']; + + } + + /** + * Uploads a new file + * + * @param string $path Target path (including filename) + * @param string $file Either a path to a file or a stream resource + * @param string $root Use this to override the default root path (sandbox/dropbox) + * @return bool + */ + public function putFile($path, $file, $root = null) { + + $directory = dirname($path); + $filename = basename($path); + + if($directory==='.') $directory = ''; + $directory = str_replace(array('%2F','~'), array('/','%7E'), rawurlencode($directory)); +// $filename = str_replace('~', '%7E', rawurlencode($filename)); + if (is_null($root)) $root = $this->root; + + if (is_string($file)) { + + $file = fopen($file,'rb'); + + } elseif (!is_resource($file)) { + throw new Dropbox_Exception('File must be a file-resource or a string'); + } + $result=$this->multipartFetch($this->api_content_url . 'files/' . + $root . '/' . trim($directory,'/'), $file, $filename); + + if(!isset($result["httpStatus"]) || $result["httpStatus"] != 200) + throw new Dropbox_Exception("Uploading file to Dropbox failed"); + + return true; + } + + + /** + * Copies a file or directory from one location to another + * + * This method returns the file information of the newly created file. + * + * @param string $from source path + * @param string $to destination path + * @param string $root Use this to override the default root path (sandbox/dropbox) + * @return stdclass + */ + public function copy($from, $to, $root = null) { + + if (is_null($root)) $root = $this->root; + $response = $this->oauth->fetch($this->api_url . 'fileops/copy', array('from_path' => $from, 'to_path' => $to, 'root' => $root), 'POST'); + + return json_decode($response['body'],true); + + } + + /** + * Creates a new folder + * + * This method returns the information from the newly created directory + * + * @param string $path + * @param string $root Use this to override the default root path (sandbox/dropbox) + * @return stdclass + */ + public function createFolder($path, $root = null) { + + if (is_null($root)) $root = $this->root; + + // Making sure the path starts with a / +// $path = '/' . ltrim($path,'/'); + + $response = $this->oauth->fetch($this->api_url . 'fileops/create_folder', array('path' => $path, 'root' => $root),'POST'); + return json_decode($response['body'],true); + + } + + /** + * Deletes a file or folder. + * + * This method will return the metadata information from the deleted file or folder, if successful. + * + * @param string $path Path to new folder + * @param string $root Use this to override the default root path (sandbox/dropbox) + * @return array + */ + public function delete($path, $root = null) { + + if (is_null($root)) $root = $this->root; + $response = $this->oauth->fetch($this->api_url . 'fileops/delete', array('path' => $path, 'root' => $root), 'POST'); + return json_decode($response['body']); + + } + + /** + * Moves a file or directory to a new location + * + * This method returns the information from the newly created directory + * + * @param mixed $from Source path + * @param mixed $to destination path + * @param string $root Use this to override the default root path (sandbox/dropbox) + * @return stdclass + */ + public function move($from, $to, $root = null) { + + if (is_null($root)) $root = $this->root; + $response = $this->oauth->fetch($this->api_url . 'fileops/move', array('from_path' => rawurldecode($from), 'to_path' => rawurldecode($to), 'root' => $root), 'POST'); + + return json_decode($response['body'],true); + + } + + /** + * Returns file and directory information + * + * @param string $path Path to receive information from + * @param bool $list When set to true, this method returns information from all files in a directory. When set to false it will only return infromation from the specified directory. + * @param string $hash If a hash is supplied, this method simply returns true if nothing has changed since the last request. Good for caching. + * @param int $fileLimit Maximum number of file-information to receive + * @param string $root Use this to override the default root path (sandbox/dropbox) + * @return array|true + */ + public function getMetaData($path, $list = true, $hash = null, $fileLimit = null, $root = null) { + + if (is_null($root)) $root = $this->root; + + $args = array( + 'list' => $list, + ); + + if (!is_null($hash)) $args['hash'] = $hash; + if (!is_null($fileLimit)) $args['file_limit'] = $fileLimit; + + $path = str_replace(array('%2F','~'), array('/','%7E'), rawurlencode($path)); + $response = $this->oauth->fetch($this->api_url . 'metadata/' . $root . '/' . ltrim($path,'/'), $args); + + /* 304 is not modified */ + if ($response['httpStatus']==304) { + return true; + } else { + return json_decode($response['body'],true); + } + + } + + /** + * A way of letting you keep up with changes to files and folders in a user's Dropbox. You can periodically call /delta to get a list of "delta entries", which are instructions on how to update your local state to match the server's state. + * + * This method returns the information from the newly created directory + * + * @param string $cursor A string that is used to keep track of your current state. On the next call pass in this value to return delta entries that have been recorded since the cursor was returned. + * @return stdclass + */ + public function delta($cursor) { + + $arg['cursor'] = $cursor; + + $response = $this->oauth->fetch($this->api_url . 'delta', $arg, 'POST'); + return json_decode($response['body'],true); + + } + + /** + * Returns a thumbnail (as a string) for a file path. + * + * @param string $path Path to file + * @param string $size small, medium or large + * @param string $root Use this to override the default root path (sandbox/dropbox) + * @return string + */ + public function getThumbnail($path, $size = 'small', $root = null) { + + if (is_null($root)) $root = $this->root; + $path = str_replace(array('%2F','~'), array('/','%7E'), rawurlencode($path)); + $response = $this->oauth->fetch($this->api_content_url . 'thumbnails/' . $root . '/' . ltrim($path,'/'),array('size' => $size)); + + return $response['body']; + + } + + /** + * This method is used to generate multipart POST requests for file upload + * + * @param string $uri + * @param array $arguments + * @return bool + */ + protected function multipartFetch($uri, $file, $filename) { + + /* random string */ + $boundary = 'R50hrfBj5JYyfR3vF3wR96GPCC9Fd2q2pVMERvEaOE3D8LZTgLLbRpNwXek3'; + + $headers = array( + 'Content-Type' => 'multipart/form-data; boundary=' . $boundary, + ); + + $body="--" . $boundary . "\r\n"; + $body.="Content-Disposition: form-data; name=file; filename=".rawurldecode($filename)."\r\n"; + $body.="Content-type: application/octet-stream\r\n"; + $body.="\r\n"; + $body.=stream_get_contents($file); + $body.="\r\n"; + $body.="--" . $boundary . "--"; + + // Dropbox requires the filename to also be part of the regular arguments, so it becomes + // part of the signature. + $uri.='?file=' . $filename; + + return $this->oauth->fetch($uri, $body, 'POST', $headers); + + } + + + /** + * Search + * + * Returns metadata for all files and folders that match the search query. + * + * @added by: diszo.sasil + * + * @param string $query + * @param string $root Use this to override the default root path (sandbox/dropbox) + * @param string $path + * @return array + */ + public function search($query = '', $root = null, $path = ''){ + if (is_null($root)) $root = $this->root; + if(!empty($path)){ + $path = str_replace(array('%2F','~'), array('/','%7E'), rawurlencode($path)); + } + $response = $this->oauth->fetch($this->api_url . 'search/' . $root . '/' . ltrim($path,'/'),array('query' => $query)); + return json_decode($response['body'],true); + } + + /** + * Creates and returns a shareable link to files or folders. + * + * Note: Links created by the /shares API call expire after thirty days. + * + * @param type $path + * @param type $root + * @return type + */ + public function share($path, $root = null) { + if (is_null($root)) $root = $this->root; + $path = str_replace(array('%2F','~'), array('/','%7E'), rawurlencode($path)); + $response = $this->oauth->fetch($this->api_url. 'shares/'. $root . '/' . ltrim($path, '/'), array(), 'POST'); + return json_decode($response['body'],true); + + } + + /** + * Returns a link directly to a file. + * Similar to /shares. The difference is that this bypasses the Dropbox webserver, used to provide a preview of the file, so that you can effectively stream the contents of your media. + * + * Note: The /media link expires after four hours, allotting enough time to stream files, but not enough to leave a connection open indefinitely. + * + * @param type $path + * @param type $root + * @return type + */ + public function media($path, $root = null) { + + if (is_null($root)) $root = $this->root; + $path = str_replace(array('%2F','~'), array('/','%7E'), rawurlencode($path)); + $response = $this->oauth->fetch($this->api_url. 'media/'. $root . '/' . ltrim($path, '/'), array(), 'POST'); + return json_decode($response['body'],true); + + } + + /** + * Creates and returns a copy_ref to a file. This reference string can be used to copy that file to another user's Dropbox by passing it in as the from_copy_ref parameter on /fileops/copy. + * + * @param type $path + * @param type $root + * @return type + */ + public function copy_ref($path, $root = null) { + + if (is_null($root)) $root = $this->root; + $path = str_replace(array('%2F','~'), array('/','%7E'), rawurlencode($path)); + $response = $this->oauth->fetch($this->api_url. 'copy_ref/'. $root . '/' . ltrim($path, '/')); + return json_decode($response['body'],true); + + } + + +} diff --git a/apps/files_external/3rdparty/Dropbox/Exception.php b/apps/files_external/3rdparty/Dropbox/Exception.php new file mode 100644 index 00000000000..50cbc4c7915 --- /dev/null +++ b/apps/files_external/3rdparty/Dropbox/Exception.php @@ -0,0 +1,15 @@ +oauth_token = $token['token']; + $this->oauth_token_secret = $token['token_secret']; + } else { + $this->oauth_token = $token; + $this->oauth_token_secret = $token_secret; + } + + } + + /** + * Returns the oauth request tokens as an associative array. + * + * The array will contain the elements 'token' and 'token_secret'. + * + * @return array + */ + public function getToken() { + + return array( + 'token' => $this->oauth_token, + 'token_secret' => $this->oauth_token_secret, + ); + + } + + /** + * Returns the authorization url + * + * @param string $callBack Specify a callback url to automatically redirect the user back + * @return string + */ + public function getAuthorizeUrl($callBack = null) { + + // Building the redirect uri + $token = $this->getToken(); + $uri = self::URI_AUTHORIZE . '?oauth_token=' . $token['token']; + if ($callBack) $uri.='&oauth_callback=' . $callBack; + return $uri; + } + + /** + * Fetches a secured oauth url and returns the response body. + * + * @param string $uri + * @param mixed $arguments + * @param string $method + * @param array $httpHeaders + * @return string + */ + public abstract function fetch($uri, $arguments = array(), $method = 'GET', $httpHeaders = array()); + + /** + * Requests the OAuth request token. + * + * @return array + */ + abstract public function getRequestToken(); + + /** + * Requests the OAuth access tokens. + * + * @return array + */ + abstract public function getAccessToken(); + +} diff --git a/apps/files_external/3rdparty/Dropbox/OAuth/Consumer/Dropbox.php b/apps/files_external/3rdparty/Dropbox/OAuth/Consumer/Dropbox.php new file mode 100644 index 00000000000..204a659de00 --- /dev/null +++ b/apps/files_external/3rdparty/Dropbox/OAuth/Consumer/Dropbox.php @@ -0,0 +1,37 @@ +consumerRequest instanceof HTTP_OAuth_Consumer_Request) { + $this->consumerRequest = new HTTP_OAuth_Consumer_Request; + } + + // TODO: Change this and add in code to validate the SSL cert. + // see https://github.com/bagder/curl/blob/master/lib/mk-ca-bundle.pl + $this->consumerRequest->setConfig(array( + 'ssl_verify_peer' => false, + 'ssl_verify_host' => false + )); + + return $this->consumerRequest; + } +} diff --git a/apps/files_external/3rdparty/Dropbox/OAuth/Curl.php b/apps/files_external/3rdparty/Dropbox/OAuth/Curl.php new file mode 100644 index 00000000000..b75b27bb363 --- /dev/null +++ b/apps/files_external/3rdparty/Dropbox/OAuth/Curl.php @@ -0,0 +1,282 @@ +consumerKey = $consumerKey; + $this->consumerSecret = $consumerSecret; + } + + /** + * Fetches a secured oauth url and returns the response body. + * + * @param string $uri + * @param mixed $arguments + * @param string $method + * @param array $httpHeaders + * @return string + */ + public function fetch($uri, $arguments = array(), $method = 'GET', $httpHeaders = array()) { + + $uri=str_replace('http://', 'https://', $uri); // all https, upload makes problems if not + if (is_string($arguments) and strtoupper($method) == 'POST') { + preg_match("/\?file=(.*)$/i", $uri, $matches); + if (isset($matches[1])) { + $uri = str_replace($matches[0], "", $uri); + $filename = $matches[1]; + $httpHeaders=array_merge($httpHeaders,$this->getOAuthHeader($uri, array("file" => $filename), $method)); + } + } else { + $httpHeaders=array_merge($httpHeaders,$this->getOAuthHeader($uri, $arguments, $method)); + } + $ch = curl_init(); + if (strtoupper($method) == 'POST') { + curl_setopt($ch, CURLOPT_URL, $uri); + curl_setopt($ch, CURLOPT_POST, true); +// if (is_array($arguments)) +// $arguments=http_build_query($arguments); + curl_setopt($ch, CURLOPT_POSTFIELDS, $arguments); +// $httpHeaders['Content-Length']=strlen($arguments); + } else { + curl_setopt($ch, CURLOPT_URL, $uri.'?'.http_build_query($arguments)); + curl_setopt($ch, CURLOPT_POST, false); + } + curl_setopt($ch, CURLOPT_RETURNTRANSFER, true); + curl_setopt($ch, CURLOPT_TIMEOUT, 300); + curl_setopt($ch, CURLOPT_SSL_VERIFYPEER, true); + curl_setopt($ch, CURLOPT_SSL_VERIFYHOST, 2); +// curl_setopt($ch, CURLOPT_CAINFO, "rootca"); + curl_setopt($ch, CURLOPT_FRESH_CONNECT, true); + //Build header + $headers = array(); + foreach ($httpHeaders as $name => $value) { + $headers[] = "{$name}: $value"; + } + curl_setopt($ch, CURLOPT_HTTPHEADER, $headers); + if (!ini_get('safe_mode') && !ini_get('open_basedir')) + curl_setopt($ch, CURLOPT_FOLLOWLOCATION, true ); + if (function_exists($this->ProgressFunction) and defined('CURLOPT_PROGRESSFUNCTION')) { + curl_setopt($ch, CURLOPT_NOPROGRESS, false); + curl_setopt($ch, CURLOPT_PROGRESSFUNCTION, $this->ProgressFunction); + curl_setopt($ch, CURLOPT_BUFFERSIZE, 512); + } + $response=curl_exec($ch); + $errorno=curl_errno($ch); + $error=curl_error($ch); + $status=curl_getinfo($ch,CURLINFO_HTTP_CODE); + curl_close($ch); + + + if (!empty($errorno)) + throw new Dropbox_Exception_NotFound('Curl error: ('.$errorno.') '.$error."\n"); + + if ($status>=300) { + $body = json_decode($response,true); + switch ($status) { + // Not modified + case 304 : + return array( + 'httpStatus' => 304, + 'body' => null, + ); + break; + case 403 : + throw new Dropbox_Exception_Forbidden('Forbidden. + This could mean a bad OAuth request, or a file or folder already existing at the target location. + ' . $body["error"] . "\n"); + case 404 : + throw new Dropbox_Exception_NotFound('Resource at uri: ' . $uri . ' could not be found. ' . + $body["error"] . "\n"); + case 507 : + throw new Dropbox_Exception_OverQuota('This dropbox is full. ' . + $body["error"] . "\n"); + } + if (!empty($body["error"])) + throw new Dropbox_Exception_RequestToken('Error: ('.$status.') '.$body["error"]."\n"); + } + + return array( + 'body' => $response, + 'httpStatus' => $status + ); + } + + /** + * Returns named array with oauth parameters for further use + * @return array Array with oauth_ parameters + */ + private function getOAuthBaseParams() { + $params['oauth_version'] = '1.0'; + $params['oauth_signature_method'] = 'HMAC-SHA1'; + + $params['oauth_consumer_key'] = $this->consumerKey; + $tokens = $this->getToken(); + if (isset($tokens['token']) && $tokens['token']) { + $params['oauth_token'] = $tokens['token']; + } + $params['oauth_timestamp'] = time(); + $params['oauth_nonce'] = md5(microtime() . mt_rand()); + return $params; + } + + /** + * Creates valid Authorization header for OAuth, based on URI and Params + * + * @param string $uri + * @param array $params + * @param string $method GET or POST, standard is GET + * @param array $oAuthParams optional, pass your own oauth_params here + * @return array Array for request's headers section like + * array('Authorization' => 'OAuth ...'); + */ + private function getOAuthHeader($uri, $params, $method = 'GET', $oAuthParams = null) { + $oAuthParams = $oAuthParams ? $oAuthParams : $this->getOAuthBaseParams(); + + // create baseString to encode for the sent parameters + $baseString = $method . '&'; + $baseString .= $this->oauth_urlencode($uri) . "&"; + + // OAuth header does not include GET-Parameters + $signatureParams = array_merge($params, $oAuthParams); + + // sorting the parameters + ksort($signatureParams); + + $encodedParams = array(); + foreach ($signatureParams as $key => $value) { + $encodedParams[] = $this->oauth_urlencode($key) . '=' . $this->oauth_urlencode($value); + } + + $baseString .= $this->oauth_urlencode(implode('&', $encodedParams)); + + // encode the signature + $tokens = $this->getToken(); + $hash = $this->hash_hmac_sha1($this->consumerSecret.'&'.$tokens['token_secret'], $baseString); + $signature = base64_encode($hash); + + // add signature to oAuthParams + $oAuthParams['oauth_signature'] = $signature; + + $oAuthEncoded = array(); + foreach ($oAuthParams as $key => $value) { + $oAuthEncoded[] = $key . '="' . $this->oauth_urlencode($value) . '"'; + } + + return array('Authorization' => 'OAuth ' . implode(', ', $oAuthEncoded)); + } + + /** + * Requests the OAuth request token. + * + * @return void + */ + public function getRequestToken() { + $result = $this->fetch(self::URI_REQUEST_TOKEN, array(), 'POST'); + if ($result['httpStatus'] == "200") { + $tokens = array(); + parse_str($result['body'], $tokens); + $this->setToken($tokens['oauth_token'], $tokens['oauth_token_secret']); + return $this->getToken(); + } else { + throw new Dropbox_Exception_RequestToken('We were unable to fetch request tokens. This likely means that your consumer key and/or secret are incorrect.'); + } + } + + /** + * Requests the OAuth access tokens. + * + * This method requires the 'unauthorized' request tokens + * and, if successful will set the authorized request tokens. + * + * @return void + */ + public function getAccessToken() { + $result = $this->fetch(self::URI_ACCESS_TOKEN, array(), 'POST'); + if ($result['httpStatus'] == "200") { + $tokens = array(); + parse_str($result['body'], $tokens); + $this->setToken($tokens['oauth_token'], $tokens['oauth_token_secret']); + return $this->getToken(); + } else { + throw new Dropbox_Exception_RequestToken('We were unable to fetch request tokens. This likely means that your consumer key and/or secret are incorrect.'); + } + } + + /** + * Helper function to properly urlencode parameters. + * See http://php.net/manual/en/function.oauth-urlencode.php + * + * @param string $string + * @return string + */ + private function oauth_urlencode($string) { + return str_replace('%E7', '~', rawurlencode($string)); + } + + /** + * Hash function for hmac_sha1; uses native function if available. + * + * @param string $key + * @param string $data + * @return string + */ + private function hash_hmac_sha1($key, $data) { + if (function_exists('hash_hmac') && in_array('sha1', hash_algos())) { + return hash_hmac('sha1', $data, $key, true); + } else { + $blocksize = 64; + $hashfunc = 'sha1'; + if (strlen($key) > $blocksize) { + $key = pack('H*', $hashfunc($key)); + } + + $key = str_pad($key, $blocksize, chr(0x00)); + $ipad = str_repeat(chr(0x36), $blocksize); + $opad = str_repeat(chr(0x5c), $blocksize); + $hash = pack('H*', $hashfunc(( $key ^ $opad ) . pack('H*', $hashfunc(($key ^ $ipad) . $data)))); + + return $hash; + } + } + + +} \ No newline at end of file diff --git a/apps/files_external/3rdparty/Dropbox/README.md b/apps/files_external/3rdparty/Dropbox/README.md new file mode 100644 index 00000000000..54e05db762b --- /dev/null +++ b/apps/files_external/3rdparty/Dropbox/README.md @@ -0,0 +1,31 @@ +Dropbox-php +=========== + +This PHP library allows you to easily integrate dropbox with PHP. + +The following PHP extension is required: + +* json + +The library makes use of OAuth. At the moment you can use either of these libraries: + +[PHP OAuth extension](http://pecl.php.net/package/oauth) +[PEAR's HTTP_OAUTH package](http://pear.php.net/package/http_oauth) + +The extension is recommended, but if you can't install php extensions you should go for the pear package. +Installing +---------- + + pear channel-discover pear.dropbox-php.com + pear install dropbox-php/Dropbox-alpha + +Documentation +------------- +Check out the [documentation](http://www.dropbox-php.com/docs). + +Questions? +---------- + +[Dropbox-php Mailing list](http://groups.google.com/group/dropbox-php) +[Official Dropbox developer forum](http://forums.dropbox.com/forum.php?id=5) + diff --git a/apps/files_external/3rdparty/Dropbox/autoload.php b/apps/files_external/3rdparty/Dropbox/autoload.php new file mode 100644 index 00000000000..5388ea6334a --- /dev/null +++ b/apps/files_external/3rdparty/Dropbox/autoload.php @@ -0,0 +1,29 @@ + +# +# This program is free software; you can redistribute it and/or +# modify it under the terms of the GNU General Public License +# as published by the Free Software Foundation; either version 2 +# of the License, or (at your option) any later version. +# +# This program 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 General Public License for more details. +# +################################################################### + +define ('SMB4PHP_VERSION', '0.8'); + +################################################################### +# CONFIGURATION SECTION - Change for your needs +################################################################### + +define ('SMB4PHP_SMBCLIENT', 'smbclient'); +define ('SMB4PHP_SMBOPTIONS', 'TCP_NODELAY IPTOS_LOWDELAY SO_KEEPALIVE SO_RCVBUF=8192 SO_SNDBUF=8192'); +define ('SMB4PHP_AUTHMODE', 'arg'); # set to 'env' to use USER enviroment variable + +################################################################### +# SMB - commands that does not need an instance +################################################################### + +$GLOBALS['__smb_cache'] = array ('stat' => array (), 'dir' => array ()); + +class smb { + + function parse_url ($url) { + $pu = parse_url (trim($url)); + foreach (array ('domain', 'user', 'pass', 'host', 'port', 'path') as $i) { + if (! isset($pu[$i])) { + $pu[$i] = ''; + } + } + if (count ($userdomain = explode (';', urldecode ($pu['user']))) > 1) { + @list ($pu['domain'], $pu['user']) = $userdomain; + } + $path = preg_replace (array ('/^\//', '/\/$/'), '', urldecode ($pu['path'])); + list ($pu['share'], $pu['path']) = (preg_match ('/^([^\/]+)\/(.*)/', $path, $regs)) + ? array ($regs[1], preg_replace ('/\//', '\\', $regs[2])) + : array ($path, ''); + $pu['type'] = $pu['path'] ? 'path' : ($pu['share'] ? 'share' : ($pu['host'] ? 'host' : '**error**')); + if (! ($pu['port'] = intval(@$pu['port']))) { + $pu['port'] = 139; + } + + // decode user and password + $pu['user'] = urldecode($pu['user']); + $pu['pass'] = urldecode($pu['pass']); + return $pu; + } + + + function look ($purl) { + return smb::client ('-L ' . escapeshellarg ($purl['host']), $purl); + } + + + function execute ($command, $purl) { + return smb::client ('-d 0 ' + . escapeshellarg ('//' . $purl['host'] . '/' . $purl['share']) + . ' -c ' . escapeshellarg ($command), $purl + ); + } + + function client ($params, $purl) { + + static $regexp = array ( + '^added interface ip=(.*) bcast=(.*) nmask=(.*)$' => 'skip', + 'Anonymous login successful' => 'skip', + '^Domain=\[(.*)\] OS=\[(.*)\] Server=\[(.*)\]$' => 'skip', + '^\tSharename[ ]+Type[ ]+Comment$' => 'shares', + '^\t---------[ ]+----[ ]+-------$' => 'skip', + '^\tServer [ ]+Comment$' => 'servers', + '^\t---------[ ]+-------$' => 'skip', + '^\tWorkgroup[ ]+Master$' => 'workg', + '^\t(.*)[ ]+(Disk|IPC)[ ]+IPC.*$' => 'skip', + '^\tIPC\\\$(.*)[ ]+IPC' => 'skip', + '^\t(.*)[ ]+(Disk)[ ]+(.*)$' => 'share', + '^\t(.*)[ ]+(Printer)[ ]+(.*)$' => 'skip', + '([0-9]+) blocks of size ([0-9]+)\. ([0-9]+) blocks available' => 'skip', + 'Got a positive name query response from ' => 'skip', + '^(session setup failed): (.*)$' => 'error', + '^(.*): ERRSRV - ERRbadpw' => 'error', + '^Error returning browse list: (.*)$' => 'error', + '^tree connect failed: (.*)$' => 'error', + '^(Connection to .* failed)(.*)$' => 'error-connect', + '^NT_STATUS_(.*) ' => 'error', + '^NT_STATUS_(.*)\$' => 'error', + 'ERRDOS - ERRbadpath \((.*).\)' => 'error', + 'cd (.*): (.*)$' => 'error', + '^cd (.*): NT_STATUS_(.*)' => 'error', + '^\t(.*)$' => 'srvorwg', + '^([0-9]+)[ ]+([0-9]+)[ ]+(.*)$' => 'skip', + '^Job ([0-9]+) cancelled' => 'skip', + '^[ ]+(.*)[ ]+([0-9]+)[ ]+(Mon|Tue|Wed|Thu|Fri|Sat|Sun)[ ](Jan|Feb|Mar|Apr|May|Jun|Jul|Aug|Sep|Oct|Nov|Dec)[ ]+([0-9]+)[ ]+([0-9]{2}:[0-9]{2}:[0-9]{2})[ ]([0-9]{4})$' => 'files', + '^message start: ERRSRV - (ERRmsgoff)' => 'error' + ); + + if (SMB4PHP_AUTHMODE == 'env') { + putenv("USER={$purl['user']}%{$purl['pass']}"); + $auth = ''; + } else { + $auth = ($purl['user'] <> '' ? (' -U ' . escapeshellarg ($purl['user'] . '%' . $purl['pass'])) : ''); + } + if ($purl['domain'] <> '') { + $auth .= ' -W ' . escapeshellarg ($purl['domain']); + } + $port = ($purl['port'] <> 139 ? ' -p ' . escapeshellarg ($purl['port']) : ''); + $options = '-O ' . escapeshellarg(SMB4PHP_SMBOPTIONS); + + // this put env is necessary to read the output of smbclient correctly + $old_locale = getenv('LC_ALL'); + putenv('LC_ALL=en_US.UTF-8'); + $output = popen (SMB4PHP_SMBCLIENT." -N {$auth} {$options} {$port} {$options} {$params} 2>/dev/null", 'r'); + $info = array (); + $info['info']= array (); + $mode = ''; + while ($line = fgets ($output, 4096)) { + list ($tag, $regs, $i) = array ('skip', array (), array ()); + reset ($regexp); + foreach ($regexp as $r => $t) if (preg_match ('/'.$r.'/', $line, $regs)) { + $tag = $t; + break; + } + switch ($tag) { + case 'skip': continue; + case 'shares': $mode = 'shares'; break; + case 'servers': $mode = 'servers'; break; + case 'workg': $mode = 'workgroups'; break; + case 'share': + list($name, $type) = array ( + trim(substr($line, 1, 15)), + trim(strtolower(substr($line, 17, 10))) + ); + $i = ($type <> 'disk' && preg_match('/^(.*) Disk/', $line, $regs)) + ? array(trim($regs[1]), 'disk') + : array($name, 'disk'); + break; + case 'srvorwg': + list ($name, $master) = array ( + strtolower(trim(substr($line,1,21))), + strtolower(trim(substr($line, 22))) + ); + $i = ($mode == 'servers') ? array ($name, "server") : array ($name, "workgroup", $master); + break; + case 'files': + list ($attr, $name) = preg_match ("/^(.*)[ ]+([D|A|H|S|R]+)$/", trim ($regs[1]), $regs2) + ? array (trim ($regs2[2]), trim ($regs2[1])) + : array ('', trim ($regs[1])); + list ($his, $im) = array ( + explode(':', $regs[6]), 1 + strpos("JanFebMarAprMayJunJulAugSepOctNovDec", $regs[4]) / 3); + $i = ($name <> '.' && $name <> '..') + ? array ( + $name, + (strpos($attr,'D') === FALSE) ? 'file' : 'folder', + 'attr' => $attr, + 'size' => intval($regs[2]), + 'time' => mktime ($his[0], $his[1], $his[2], $im, $regs[5], $regs[7]) + ) + : array(); + break; + case 'error': + if(substr($regs[0],0,22)=='NT_STATUS_NO_SUCH_FILE'){ + return false; + }elseif(substr($regs[0],0,31)=='NT_STATUS_OBJECT_NAME_COLLISION'){ + return false; + }elseif(substr($regs[0],0,31)=='NT_STATUS_OBJECT_PATH_NOT_FOUND'){ + return false; + }elseif(substr($regs[0],0,29)=='NT_STATUS_FILE_IS_A_DIRECTORY'){ + return false; + } + trigger_error($regs[0].' params('.$params.')', E_USER_ERROR); + case 'error-connect': + return false; + } + if ($i) switch ($i[1]) { + case 'file': + case 'folder': $info['info'][$i[0]] = $i; + case 'disk': + case 'server': + case 'workgroup': $info[$i[1]][] = $i[0]; + } + } + pclose($output); + + + // restore previous locale + if ($old_locale===false) { + putenv('LC_ALL'); + } else { + putenv('LC_ALL='.$old_locale); + } + + return $info; + } + + + # stats + + function url_stat ($url, $flags = STREAM_URL_STAT_LINK) { + if ($s = smb::getstatcache($url)) { + return $s; + } + list ($stat, $pu) = array (false, smb::parse_url ($url)); + switch ($pu['type']) { + case 'host': + if ($o = smb::look ($pu)) + $stat = stat ("/tmp"); + else + trigger_error ("url_stat(): list failed for host '{$pu['host']}'", E_USER_WARNING); + break; + case 'share': + if ($o = smb::look ($pu)) { + $found = FALSE; + $lshare = strtolower ($pu['share']); # fix by Eric Leung + foreach ($o['disk'] as $s) if ($lshare == strtolower($s)) { + $found = TRUE; + $stat = stat ("/tmp"); + break; + } + if (! $found) + trigger_error ("url_stat(): disk resource '{$lshare}' not found in '{$pu['host']}'", E_USER_WARNING); + } + break; + case 'path': + if ($o = smb::execute ('dir "'.$pu['path'].'"', $pu)) { + $p = explode('\\', $pu['path']); + $name = $p[count($p)-1]; + if (isset ($o['info'][$name])) { + $stat = smb::addstatcache ($url, $o['info'][$name]); + } else { + trigger_error ("url_stat(): path '{$pu['path']}' not found", E_USER_WARNING); + } + } else { + return false; +// trigger_error ("url_stat(): dir failed for path '{$pu['path']}'", E_USER_WARNING); + } + break; + default: trigger_error ('error in URL', E_USER_ERROR); + } + return $stat; + } + + function addstatcache ($url, $info) { + $url = str_replace('//', '/', $url); + $url = rtrim($url, '/'); + global $__smb_cache; + $is_file = (strpos ($info['attr'],'D') === FALSE); + $s = ($is_file) ? stat ('/etc/passwd') : stat ('/tmp'); + $s[7] = $s['size'] = $info['size']; + $s[8] = $s[9] = $s[10] = $s['atime'] = $s['mtime'] = $s['ctime'] = $info['time']; + return $__smb_cache['stat'][$url] = $s; + } + + function getstatcache ($url) { + $url = str_replace('//', '/', $url); + $url = rtrim($url, '/'); + global $__smb_cache; + return isset ($__smb_cache['stat'][$url]) ? $__smb_cache['stat'][$url] : FALSE; + } + + function clearstatcache ($url='') { + $url = str_replace('//', '/', $url); + $url = rtrim($url, '/'); + global $__smb_cache; + if ($url == '') $__smb_cache['stat'] = array (); else unset ($__smb_cache['stat'][$url]); + } + + + # commands + + function unlink ($url) { + $pu = smb::parse_url($url); + if ($pu['type'] <> 'path') trigger_error('unlink(): error in URL', E_USER_ERROR); + smb::clearstatcache ($url); + smb_stream_wrapper::cleardircache (dirname($url)); + return smb::execute ('del "'.$pu['path'].'"', $pu); + } + + function rename ($url_from, $url_to) { + list ($from, $to) = array (smb::parse_url($url_from), smb::parse_url($url_to)); + if ($from['host'] <> $to['host'] || + $from['share'] <> $to['share'] || + $from['user'] <> $to['user'] || + $from['pass'] <> $to['pass'] || + $from['domain'] <> $to['domain']) { + trigger_error('rename(): FROM & TO must be in same server-share-user-pass-domain', E_USER_ERROR); + } + if ($from['type'] <> 'path' || $to['type'] <> 'path') { + trigger_error('rename(): error in URL', E_USER_ERROR); + } + smb::clearstatcache ($url_from); + return smb::execute ('rename "'.$from['path'].'" "'.$to['path'].'"', $to); + } + + function mkdir ($url, $mode, $options) { + $pu = smb::parse_url($url); + if ($pu['type'] <> 'path') trigger_error('mkdir(): error in URL', E_USER_ERROR); + return smb::execute ('mkdir "'.$pu['path'].'"', $pu)!==false; + } + + function rmdir ($url) { + $pu = smb::parse_url($url); + if ($pu['type'] <> 'path') trigger_error('rmdir(): error in URL', E_USER_ERROR); + smb::clearstatcache ($url); + smb_stream_wrapper::cleardircache (dirname($url)); + return smb::execute ('rmdir "'.$pu['path'].'"', $pu)!==false; + } + +} + +################################################################### +# SMB_STREAM_WRAPPER - class to be registered for smb:// URLs +################################################################### + +class smb_stream_wrapper extends smb { + + # variables + + private $stream, $url, $parsed_url = array (), $mode, $tmpfile; + private $need_flush = FALSE; + private $dir = array (), $dir_index = -1; + + + # directories + + function dir_opendir ($url, $options) { + if ($d = $this->getdircache ($url)) { + $this->dir = $d; + $this->dir_index = 0; + return TRUE; + } + $pu = smb::parse_url ($url); + switch ($pu['type']) { + case 'host': + if ($o = smb::look ($pu)) { + $this->dir = $o['disk']; + $this->dir_index = 0; + } else { + trigger_error ("dir_opendir(): list failed for host '{$pu['host']}'", E_USER_WARNING); + return false; + } + break; + case 'share': + case 'path': + if (is_array($o = smb::execute ('dir "'.$pu['path'].'\*"', $pu))) { + $this->dir = array_keys($o['info']); + $this->dir_index = 0; + $this->adddircache ($url, $this->dir); + if(substr($url,-1,1)=='/'){ + $url=substr($url,0,-1); + } + foreach ($o['info'] as $name => $info) { + smb::addstatcache($url . '/' . $name, $info); + } + } else { + trigger_error ("dir_opendir(): dir failed for path '".$pu['path']."'", E_USER_WARNING); + return false; + } + break; + default: + trigger_error ('dir_opendir(): error in URL', E_USER_ERROR); + return false; + } + return TRUE; + } + + function dir_readdir () { + return ($this->dir_index < count($this->dir)) ? $this->dir[$this->dir_index++] : FALSE; + } + + function dir_rewinddir () { $this->dir_index = 0; } + + function dir_closedir () { $this->dir = array(); $this->dir_index = -1; return TRUE; } + + + # cache + + function adddircache ($url, $content) { + $url = str_replace('//', '/', $url); + $url = rtrim($url, '/'); + global $__smb_cache; + return $__smb_cache['dir'][$url] = $content; + } + + function getdircache ($url) { + $url = str_replace('//', '/', $url); + $url = rtrim($url, '/'); + global $__smb_cache; + return isset ($__smb_cache['dir'][$url]) ? $__smb_cache['dir'][$url] : FALSE; + } + + function cleardircache ($url='') { + $url = str_replace('//', '/', $url); + $url = rtrim($url, '/'); + global $__smb_cache; + if ($url == ''){ + $__smb_cache['dir'] = array (); + }else{ + unset ($__smb_cache['dir'][$url]); + } + } + + + # streams + + function stream_open ($url, $mode, $options, $opened_path) { + $this->url = $url; + $this->mode = $mode; + $this->parsed_url = $pu = smb::parse_url($url); + if ($pu['type'] <> 'path') trigger_error('stream_open(): error in URL', E_USER_ERROR); + switch ($mode) { + case 'r': + case 'r+': + case 'rb': + case 'a': + case 'a+': $this->tmpfile = tempnam('/tmp', 'smb.down.'); + smb::execute ('get "'.$pu['path'].'" "'.$this->tmpfile.'"', $pu); + break; + case 'w': + case 'w+': + case 'wb': + case 'x': + case 'x+': $this->cleardircache(); + $this->tmpfile = tempnam('/tmp', 'smb.up.'); + $this->need_flush=true; + } + $this->stream = fopen ($this->tmpfile, $mode); + return TRUE; + } + + function stream_close () { return fclose($this->stream); } + + function stream_read ($count) { return fread($this->stream, $count); } + + function stream_write ($data) { $this->need_flush = TRUE; return fwrite($this->stream, $data); } + + function stream_eof () { return feof($this->stream); } + + function stream_tell () { return ftell($this->stream); } + + function stream_seek ($offset, $whence=null) { return fseek($this->stream, $offset, $whence); } + + function stream_flush () { + if ($this->mode <> 'r' && $this->need_flush) { + smb::clearstatcache ($this->url); + smb::execute ('put "'.$this->tmpfile.'" "'.$this->parsed_url['path'].'"', $this->parsed_url); + $this->need_flush = FALSE; + } + } + + function stream_stat () { return smb::url_stat ($this->url); } + + function __destruct () { + if ($this->tmpfile <> '') { + if ($this->need_flush) $this->stream_flush (); + unlink ($this->tmpfile); + + } + } + +} + +################################################################### +# Register 'smb' protocol ! +################################################################### + +stream_wrapper_register('smb', 'smb_stream_wrapper') + or die ('Failed to register protocol'); diff --git a/apps/files_external/lib/dropbox.php b/apps/files_external/lib/dropbox.php index 081c5478881..60f6767e319 100755 --- a/apps/files_external/lib/dropbox.php +++ b/apps/files_external/lib/dropbox.php @@ -22,7 +22,7 @@ namespace OC\Files\Storage; -require_once 'Dropbox/autoload.php'; +require_once '../3rdparty/Dropbox/autoload.php'; class Dropbox extends \OC\Files\Storage\Common { diff --git a/apps/files_external/lib/smb.php b/apps/files_external/lib/smb.php index 81a6c956385..effc0088c2b 100644 --- a/apps/files_external/lib/smb.php +++ b/apps/files_external/lib/smb.php @@ -8,7 +8,7 @@ namespace OC\Files\Storage; -require_once 'smb4php/smb.php'; +require_once '../3rdparty/smb4php/smb.php'; class SMB extends \OC\Files\Storage\StreamWrapper{ private $password; -- GitLab From b82c8bf9e6836cded337fce25c489281ac36bea6 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Sat, 17 Aug 2013 18:33:44 +0200 Subject: [PATCH 278/415] update 3rdparty - openid moved --- 3rdparty | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/3rdparty b/3rdparty index 0902b456d11..62f6270ecf9 160000 --- a/3rdparty +++ b/3rdparty @@ -1 +1 @@ -Subproject commit 0902b456d11c9caed78b758db0adefa643549f67 +Subproject commit 62f6270ecf9e84bfc17fbee88b5017e358592b7e -- GitLab From c5cea47ab298d2bcf6e2306c0e7e8d87000dc3b4 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Sat, 17 Aug 2013 18:37:45 +0200 Subject: [PATCH 279/415] 3rdparty submodule update: getid3 removed --- 3rdparty | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/3rdparty b/3rdparty index 62f6270ecf9..eb77e31a93b 160000 --- a/3rdparty +++ b/3rdparty @@ -1 +1 @@ -Subproject commit 62f6270ecf9e84bfc17fbee88b5017e358592b7e +Subproject commit eb77e31a93bdfef2db4ed7beb7b563a3a54c27e9 -- GitLab From e22a4aba47347e3514c9fff39d2f7376af4a39ae Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Sat, 17 Aug 2013 18:47:41 +0200 Subject: [PATCH 280/415] update 3rdparty submodule --- 3rdparty | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/3rdparty b/3rdparty index eb77e31a93b..9a018a47028 160000 --- a/3rdparty +++ b/3rdparty @@ -1 +1 @@ -Subproject commit eb77e31a93bdfef2db4ed7beb7b563a3a54c27e9 +Subproject commit 9a018a47028b799baf4bebc5ae80eee6a986a6c1 -- GitLab From 727a191021ee8408490c76a6ee0cafeca3ec20c7 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Sat, 17 Aug 2013 18:54:08 +0200 Subject: [PATCH 281/415] update 3rdparty submodule - timepicker removed --- 3rdparty | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/3rdparty b/3rdparty index 9a018a47028..03c3817ff13 160000 --- a/3rdparty +++ b/3rdparty @@ -1 +1 @@ -Subproject commit 9a018a47028b799baf4bebc5ae80eee6a986a6c1 +Subproject commit 03c3817ff132653c794fd04410977952f69fd614 -- GitLab From 15c9a0f405631c937a935ba781b1c73a7db82556 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Sat, 17 Aug 2013 19:24:06 +0200 Subject: [PATCH 282/415] fixing undefined js error --- core/js/js.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/core/js/js.js b/core/js/js.js index c2b81ae3272..75a2b51a43f 100644 --- a/core/js/js.js +++ b/core/js/js.js @@ -69,7 +69,7 @@ function initL10N(app) { var code = 'var plural; var nplurals; '+pf+' return { "nplural" : nplurals, "plural" : (plural === true ? 1 : plural ? plural : 0) };'; t.plural_function = new Function("n", code); } else { - console.log("Syntax error in language file. Plural-Forms header is invalid ["+plural_forms+"]"); + console.log("Syntax error in language file. Plural-Forms header is invalid ["+ t.plural_forms+"]"); } } } -- GitLab From d38929fb10b1a140586433c79f121b428d2b44ac Mon Sep 17 00:00:00 2001 From: Andreas Fischer Date: Sat, 17 Aug 2013 23:38:26 +0200 Subject: [PATCH 283/415] Fix spacing of all touched lines. --- apps/files/ajax/list.php | 2 +- settings/admin.php | 2 +- settings/ajax/getlog.php | 2 +- 3 files changed, 3 insertions(+), 3 deletions(-) diff --git a/apps/files/ajax/list.php b/apps/files/ajax/list.php index b2975790a10..c50e96b2429 100644 --- a/apps/files/ajax/list.php +++ b/apps/files/ajax/list.php @@ -10,7 +10,7 @@ OCP\JSON::checkLoggedIn(); // Load the files $dir = isset( $_GET['dir'] ) ? $_GET['dir'] : ''; -$doBreadcrumb = isset( $_GET['breadcrumb'] ); +$doBreadcrumb = isset($_GET['breadcrumb']); $data = array(); // Make breadcrumb diff --git a/settings/admin.php b/settings/admin.php index 6c01d4007de..869729a9e41 100755 --- a/settings/admin.php +++ b/settings/admin.php @@ -18,7 +18,7 @@ $forms=OC_App::getForms('admin'); $htaccessworking=OC_Util::ishtaccessworking(); $entries=OC_Log_Owncloud::getEntries(3); -$entriesremain=count(OC_Log_Owncloud::getEntries(4)) > 3; +$entriesremain = count(OC_Log_Owncloud::getEntries(4)) > 3; $tmpl->assign('loglevel', OC_Config::getValue( "loglevel", 2 )); $tmpl->assign('entries', $entries); diff --git a/settings/ajax/getlog.php b/settings/ajax/getlog.php index f160512b6ad..f092ddb7727 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 + "remain" => count(OC_Log_Owncloud::getEntries(1, $offset + $count)) !== 0 ) ); -- GitLab From 4f462e9b6f2a22b0cbba22fd9888322fa4c63a3d Mon Sep 17 00:00:00 2001 From: Andreas Fischer Date: Sat, 17 Aug 2013 23:39:26 +0200 Subject: [PATCH 284/415] Add trailing comma for all touched array lines. --- settings/ajax/getlog.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/settings/ajax/getlog.php b/settings/ajax/getlog.php index f092ddb7727..34c8d3ce467 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 + "remain" => count(OC_Log_Owncloud::getEntries(1, $offset + $count)) !== 0, ) ); -- GitLab From 4bb0e1567ba430f6635d3867d92ae0a240140308 Mon Sep 17 00:00:00 2001 From: Andreas Fischer Date: Sat, 17 Aug 2013 23:41:37 +0200 Subject: [PATCH 285/415] Use boolean casting for bitwise and result. --- apps/files_sharing/public.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/apps/files_sharing/public.php b/apps/files_sharing/public.php index 6dfe8a4bc00..e9fdf6e4c95 100644 --- a/apps/files_sharing/public.php +++ b/apps/files_sharing/public.php @@ -133,7 +133,7 @@ if (isset($path)) { $tmpl->assign('mimetype', \OC\Files\Filesystem::getMimeType($path)); $tmpl->assign('fileTarget', basename($linkItem['file_target'])); $tmpl->assign('dirToken', $linkItem['token']); - $allowPublicUploadEnabled = ($linkItem['permissions'] & OCP\PERMISSION_CREATE) !== 0; + $allowPublicUploadEnabled = (bool) ($linkItem['permissions'] & OCP\PERMISSION_CREATE); if (\OCP\App::isEnabled('files_encryption')) { $allowPublicUploadEnabled = false; } -- GitLab From 3d760222d4392a2ba0c8bca3bfeb787d69bae430 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Sun, 18 Aug 2013 10:30:21 +0200 Subject: [PATCH 286/415] fixing error page layout --- core/css/styles.css | 1 + 1 file changed, 1 insertion(+) diff --git a/core/css/styles.css b/core/css/styles.css index becf0af9056..52a265d2031 100644 --- a/core/css/styles.css +++ b/core/css/styles.css @@ -414,6 +414,7 @@ label.infield { cursor:text !important; top:1.05em; left:.85em; } .error-wide { width: 800px; + margin-left: -250px; } /* Fixes for log in page, TODO should be removed some time */ -- GitLab From 65d802329f8307cd010a306073d2d3ffd7dc7b74 Mon Sep 17 00:00:00 2001 From: kondou Date: Sun, 18 Aug 2013 10:33:09 +0200 Subject: [PATCH 287/415] Fix some naming and spacing in lib/util.php --- core/setup.php | 2 +- lib/base.php | 4 ++-- lib/util.php | 25 +++++++++++++++---------- settings/admin.php | 4 ++-- 4 files changed, 20 insertions(+), 15 deletions(-) diff --git a/core/setup.php b/core/setup.php index 1a2eac16030..4758c23b045 100644 --- a/core/setup.php +++ b/core/setup.php @@ -34,7 +34,7 @@ $opts = array( 'hasMSSQL' => $hasMSSQL, 'directory' => $datadir, 'secureRNG' => OC_Util::secureRNGAvailable(), - 'htaccessWorking' => OC_Util::isHtaccessWorking(), + 'htaccessWorking' => OC_Util::isHtAccessWorking(), 'vulnerableToNullByte' => $vulnerableToNullByte, 'errors' => array(), ); diff --git a/lib/base.php b/lib/base.php index 7a4f5fc7ce4..32e0ebe27e9 100644 --- a/lib/base.php +++ b/lib/base.php @@ -413,7 +413,7 @@ class OC { } self::initPaths(); - OC_Util::isSetlocaleWorking(); + OC_Util::isSetLocaleWorking(); // set debug mode if an xdebug session is active if (!defined('DEBUG') || !DEBUG) { @@ -522,7 +522,7 @@ class OC { } // write error into log if locale can't be set - if (OC_Util::isSetlocaleWorking() == false) { + if (OC_Util::isSetLocaleWorking() == false) { OC_Log::write('core', 'setting locale to en_US.UTF-8/en_US.UTF8 failed. Support is probably not installed on your system', OC_Log::ERROR); diff --git a/lib/util.php b/lib/util.php index 24ae7d3d1c4..10b526ef6b3 100755 --- a/lib/util.php +++ b/lib/util.php @@ -18,9 +18,11 @@ class OC_Util { * @brief Can be set up * @param user string * @return boolean + * @description configure the initial filesystem based on the configuration */ - public static function setupFS( $user = '' ) { // configure the initial filesystem based on the configuration - if(self::$fsSetup) { //setting up the filesystem twice can only lead to trouble + public static function setupFS( $user = '' ) { + //setting up the filesystem twice can only lead to trouble + if(self::$fsSetup) { return false; } @@ -71,11 +73,11 @@ class OC_Util { /** * @return void - */ + */ public static function tearDownFS() { \OC\Files\Filesystem::tearDown(); self::$fsSetup=false; - self::$rootMounted=false; + self::$rootMounted=false; } /** @@ -165,9 +167,10 @@ class OC_Util { * @param int timestamp $timestamp * @param bool dateOnly option to omit time from the result * @return string timestamp + * @description adjust to clients timezone if we know it */ public static function formatDate( $timestamp, $dateOnly=false) { - if(\OC::$session->exists('timezone')) { //adjust to clients timezone if we know it + if(\OC::$session->exists('timezone')) { $systemTimeZone = intval(date('O')); $systemTimeZone = (round($systemTimeZone/100, 0)*60) + ($systemTimeZone%100); $clientTimeZone = \OC::$session->get('timezone')*60; @@ -629,13 +632,15 @@ class OC_Util { } /** - * @brief Check if the htaccess file is working by creating a test file in the data directory and trying to access via http + * @brief Check if the htaccess file is working * @return bool + * @description Check if the htaccess file is working by creating a test + * file in the data directory and trying to access via http */ - public static function isHtaccessWorking() { + public static function isHtAccessWorking() { // testdata - $filename = '/htaccesstest.txt'; - $testcontent = 'testcontent'; + $fileName = '/htaccesstest.txt'; + $testContent = 'testcontent'; // creating a test file $testfile = OC_Config::getValue( "datadirectory", OC::$SERVERROOT."/data" ).'/'.$filename; @@ -718,7 +723,7 @@ class OC_Util { * local packages are not available on the server. * @return bool */ - public static function isSetlocaleWorking() { + public static function isSetLocaleWorking() { // setlocale test is pointless on Windows if (OC_Util::runningOnWindows() ) { return true; diff --git a/settings/admin.php b/settings/admin.php index d721593eb77..0cbb98756db 100755 --- a/settings/admin.php +++ b/settings/admin.php @@ -15,7 +15,7 @@ OC_App::setActiveNavigationEntry( "admin" ); $tmpl = new OC_Template( 'settings', 'admin', 'user'); $forms=OC_App::getForms('admin'); -$htaccessworking=OC_Util::isHtaccessWorking(); +$htaccessworking=OC_Util::isHtAccessWorking(); $entries=OC_Log_Owncloud::getEntries(3); $entriesremain=(count(OC_Log_Owncloud::getEntries(4)) > 3)?true:false; @@ -25,7 +25,7 @@ $tmpl->assign('entries', $entries); $tmpl->assign('entriesremain', $entriesremain); $tmpl->assign('htaccessworking', $htaccessworking); $tmpl->assign('internetconnectionworking', OC_Util::isInternetConnectionEnabled() ? OC_Util::isInternetConnectionWorking() : false); -$tmpl->assign('islocaleworking', OC_Util::isSetlocaleWorking()); +$tmpl->assign('islocaleworking', OC_Util::isSetLocaleWorking()); $tmpl->assign('isWebDavWorking', OC_Util::isWebDAVWorking()); $tmpl->assign('has_fileinfo', OC_Util::fileInfoLoaded()); $tmpl->assign('backgroundjobs_mode', OC_Appconfig::getValue('core', 'backgroundjobs_mode', 'ajax')); -- GitLab From 9840363488cc22e5e71e33735a390d6751c956eb Mon Sep 17 00:00:00 2001 From: Owen Winkler Date: Sun, 18 Aug 2013 05:03:20 -0400 Subject: [PATCH 288/415] Break long lines into smaller ones. --- settings/js/users.js | 13 ++++++++++--- 1 file changed, 10 insertions(+), 3 deletions(-) diff --git a/settings/js/users.js b/settings/js/users.js index 948849fe539..038ea369801 100644 --- a/settings/js/users.js +++ b/settings/js/users.js @@ -89,10 +89,15 @@ var UserList = { tr.attr('data-displayName', displayname); tr.find('td.name').text(username); tr.find('td.displayName > span').text(displayname); - var groupsSelect = $('').attr('data-username', username).attr('data-user-groups', [groups]); + var groupsSelect = $('') + .attr('data-username', username) + .attr('data-user-groups', [groups]); tr.find('td.groups').empty(); if (tr.find('td.subadmins').length > 0) { - var subadminSelect = $('') + .attr('data-username', username) + .attr('data-user-groups', [groups]) + .attr('data-subadmin', [subadmin]); tr.find('td.subadmins').empty(); } $.each(this.availableGroups, function (i, group) { @@ -244,7 +249,9 @@ var UserList = { group: group }, function (response) { - if(response.status === 'success' && UserList.availableGroups.indexOf(response.data.groupname) === -1 && response.data.action === 'add') { + if(response.status === 'success' + && UserList.availableGroups.indexOf(response.data.groupname) === -1 + && response.data.action === 'add') { UserList.availableGroups.push(response.data.groupname); } if(response.data.message) { -- GitLab From 9e8a6b704d4b65bb999d992f4900a9e184d952bd Mon Sep 17 00:00:00 2001 From: kondou Date: Sun, 18 Aug 2013 11:02:08 +0200 Subject: [PATCH 289/415] Add _many_ newlines at the end of files --- AUTHORS | 2 +- COPYING-README | 2 +- apps/files/ajax/rename.php | 2 +- apps/files/appinfo/routes.php | 2 +- apps/files/js/keyboardshortcuts.js | 2 +- apps/files/lib/app.php | 2 +- apps/files/lib/capabilities.php | 2 +- apps/files/tests/ajax_rename.php | 2 +- apps/files_encryption/ajax/changeRecoveryPassword.php | 2 +- apps/files_encryption/ajax/updatePrivateKeyPassword.php | 2 +- apps/files_encryption/ajax/userrecovery.php | 2 +- apps/files_encryption/appinfo/routes.php | 2 +- apps/files_encryption/css/settings-personal.css | 2 +- apps/files_encryption/js/settings-admin.js | 2 +- apps/files_encryption/js/settings-personal.js | 2 +- apps/files_encryption/lib/capabilities.php | 2 +- apps/files_encryption/lib/keymanager.php | 2 +- apps/files_encryption/tests/stream.php | 2 +- apps/files_encryption/tests/trashbin.php | 2 +- apps/files_encryption/tests/webdav.php | 2 +- apps/files_external/ajax/addMountPoint.php | 2 +- apps/files_external/ajax/google.php | 2 +- apps/files_external/js/google.js | 2 +- apps/files_external/lib/google.php | 2 +- apps/files_external/tests/google.php | 2 +- apps/files_sharing/appinfo/app.php | 2 +- apps/files_sharing/js/share.js | 2 +- apps/files_sharing/lib/cache.php | 2 +- apps/files_sharing/lib/permissions.php | 2 +- apps/files_sharing/lib/watcher.php | 2 +- apps/files_sharing/templates/part.404.php | 2 +- apps/files_trashbin/appinfo/app.php | 2 +- apps/files_trashbin/appinfo/update.php | 2 +- apps/files_trashbin/js/disableDefaultActions.js | 2 +- apps/files_versions/appinfo/routes.php | 2 +- apps/files_versions/lib/capabilities.php | 2 +- apps/user_ldap/ajax/clearMappings.php | 2 +- apps/user_ldap/ajax/getConfiguration.php | 2 +- apps/user_ldap/ajax/getNewServerConfigPrefix.php | 2 +- apps/user_ldap/ajax/setConfiguration.php | 2 +- apps/user_ldap/css/settings.css | 2 +- apps/user_ldap/group_proxy.php | 2 +- apps/user_ldap/js/settings.js | 2 +- apps/user_ldap/lib/proxy.php | 2 +- apps/user_ldap/user_proxy.php | 2 +- core/css/auth.css | 2 +- core/js/jquery.infieldlabel.js | 2 +- core/js/jquery.inview.js | 2 +- core/js/oc-requesttoken.js | 2 +- core/js/visitortimezone.js | 2 +- core/lostpassword/templates/email.php | 2 +- core/routes.php | 2 +- cron.php | 2 +- lib/files/storage/commontest.php | 2 +- lib/geo.php | 2 +- lib/ocs/result.php | 2 +- lib/public/groupinterface.php | 2 +- lib/public/userinterface.php | 2 +- lib/user/http.php | 2 +- lib/user/interface.php | 2 +- lib/vobject/compoundproperty.php | 2 +- lib/vobject/stringproperty.php | 2 +- ocs/routes.php | 2 +- public.php | 2 +- remote.php | 2 +- search/css/results.css | 2 +- settings/ajax/setsecurity.php | 2 +- settings/ajax/updateapp.php | 2 +- settings/js/apps-custom.php | 2 +- settings/js/isadmin.php | 2 +- status.php | 2 +- tests/lib/app.php | 2 +- tests/lib/archive/zip.php | 2 +- tests/lib/geo.php | 2 +- tests/lib/vobject.php | 2 +- 75 files changed, 75 insertions(+), 75 deletions(-) diff --git a/AUTHORS b/AUTHORS index c30a6bf426b..7e0d8f6587b 100644 --- a/AUTHORS +++ b/AUTHORS @@ -28,4 +28,4 @@ With help from many libraries and frameworks including: … "Lock” symbol from thenounproject.com collection -"Clock” symbol by Brandon Hopkins, from thenounproject.com collection \ No newline at end of file +"Clock” symbol by Brandon Hopkins, from thenounproject.com collection diff --git a/COPYING-README b/COPYING-README index 49e035186ed..8c26709d767 100644 --- a/COPYING-README +++ b/COPYING-README @@ -12,4 +12,4 @@ Licensing of components: All unmodified files from these and other sources retain their original copyright and license notices: see the relevant individual files. -Attribution information for ownCloud is contained in the AUTHORS file. \ No newline at end of file +Attribution information for ownCloud is contained in the AUTHORS file. diff --git a/apps/files/ajax/rename.php b/apps/files/ajax/rename.php index f4551858283..5b07c306af8 100644 --- a/apps/files/ajax/rename.php +++ b/apps/files/ajax/rename.php @@ -38,4 +38,4 @@ if($result['success'] === true){ OCP\JSON::success(array('data' => $result['data'])); } else { OCP\JSON::error(array('data' => $result['data'])); -} \ No newline at end of file +} diff --git a/apps/files/appinfo/routes.php b/apps/files/appinfo/routes.php index fcd5f4b2608..f3d8e9a4f4d 100644 --- a/apps/files/appinfo/routes.php +++ b/apps/files/appinfo/routes.php @@ -11,4 +11,4 @@ $this->create('download', 'download{file}') ->actionInclude('files/download.php'); // Register with the capabilities API -OC_API::register('get', '/cloud/capabilities', array('OCA\Files\Capabilities', 'getCapabilities'), 'files', OC_API::USER_AUTH); \ No newline at end of file +OC_API::register('get', '/cloud/capabilities', array('OCA\Files\Capabilities', 'getCapabilities'), 'files', OC_API::USER_AUTH); diff --git a/apps/files/js/keyboardshortcuts.js b/apps/files/js/keyboardshortcuts.js index cc2b5d42139..418c38adb99 100644 --- a/apps/files/js/keyboardshortcuts.js +++ b/apps/files/js/keyboardshortcuts.js @@ -165,4 +165,4 @@ var Files = Files || {}; removeA(keys, event.keyCode); }); }; -})(Files); \ No newline at end of file +})(Files); diff --git a/apps/files/lib/app.php b/apps/files/lib/app.php index f7052ef80b0..579e8676cfc 100644 --- a/apps/files/lib/app.php +++ b/apps/files/lib/app.php @@ -76,4 +76,4 @@ class App { return $result; } -} \ No newline at end of file +} diff --git a/apps/files/lib/capabilities.php b/apps/files/lib/capabilities.php index 90a5e2f4eb9..d4820e931ba 100644 --- a/apps/files/lib/capabilities.php +++ b/apps/files/lib/capabilities.php @@ -21,4 +21,4 @@ class Capabilities { )); } -} \ No newline at end of file +} diff --git a/apps/files/tests/ajax_rename.php b/apps/files/tests/ajax_rename.php index 2b90a11743d..8eff978cde0 100644 --- a/apps/files/tests/ajax_rename.php +++ b/apps/files/tests/ajax_rename.php @@ -114,4 +114,4 @@ class Test_OC_Files_App_Rename extends \PHPUnit_Framework_TestCase { $this->assertEquals($expected, $result); } -} \ No newline at end of file +} diff --git a/apps/files_encryption/ajax/changeRecoveryPassword.php b/apps/files_encryption/ajax/changeRecoveryPassword.php index 366f634a51c..945f054ea84 100644 --- a/apps/files_encryption/ajax/changeRecoveryPassword.php +++ b/apps/files_encryption/ajax/changeRecoveryPassword.php @@ -49,4 +49,4 @@ if ($return) { \OCP\JSON::success(array('data' => array('message' => $l->t('Password successfully changed.')))); } else { \OCP\JSON::error(array('data' => array('message' => $l->t('Could not change the password. Maybe the old password was not correct.')))); -} \ No newline at end of file +} diff --git a/apps/files_encryption/ajax/updatePrivateKeyPassword.php b/apps/files_encryption/ajax/updatePrivateKeyPassword.php index 6fd63dae9cd..1e6644da576 100644 --- a/apps/files_encryption/ajax/updatePrivateKeyPassword.php +++ b/apps/files_encryption/ajax/updatePrivateKeyPassword.php @@ -51,4 +51,4 @@ if ($return) { \OCP\JSON::success(array('data' => array('message' => $l->t('Private key password successfully updated.')))); } else { \OCP\JSON::error(array('data' => array('message' => $l->t('Could not update the private key password. Maybe the old password was not correct.')))); -} \ No newline at end of file +} diff --git a/apps/files_encryption/ajax/userrecovery.php b/apps/files_encryption/ajax/userrecovery.php index 1d0f1ac2d17..d6c94bde81e 100644 --- a/apps/files_encryption/ajax/userrecovery.php +++ b/apps/files_encryption/ajax/userrecovery.php @@ -38,4 +38,4 @@ if ( } // Return success or failure -($return) ? \OCP\JSON::success() : \OCP\JSON::error(); \ No newline at end of file +($return) ? \OCP\JSON::success() : \OCP\JSON::error(); diff --git a/apps/files_encryption/appinfo/routes.php b/apps/files_encryption/appinfo/routes.php index ab83432a4b2..07ff920a60d 100644 --- a/apps/files_encryption/appinfo/routes.php +++ b/apps/files_encryption/appinfo/routes.php @@ -6,4 +6,4 @@ */ // Register with the capabilities API -OC_API::register('get', '/cloud/capabilities', array('OCA\Encryption\Capabilities', 'getCapabilities'), 'files_encryption', OC_API::USER_AUTH); \ No newline at end of file +OC_API::register('get', '/cloud/capabilities', array('OCA\Encryption\Capabilities', 'getCapabilities'), 'files_encryption', OC_API::USER_AUTH); diff --git a/apps/files_encryption/css/settings-personal.css b/apps/files_encryption/css/settings-personal.css index 4ee0acc9768..8eb5bedcb06 100644 --- a/apps/files_encryption/css/settings-personal.css +++ b/apps/files_encryption/css/settings-personal.css @@ -7,4 +7,4 @@ , #recoveryEnabledError , #recoveryEnabledSuccess { display: none; -} \ No newline at end of file +} diff --git a/apps/files_encryption/js/settings-admin.js b/apps/files_encryption/js/settings-admin.js index 7c1866445ee..6647c621e7b 100644 --- a/apps/files_encryption/js/settings-admin.js +++ b/apps/files_encryption/js/settings-admin.js @@ -99,4 +99,4 @@ $(document).ready(function(){ ); }); -}); \ No newline at end of file +}); diff --git a/apps/files_encryption/js/settings-personal.js b/apps/files_encryption/js/settings-personal.js index d6535a25b70..e16519c3c98 100644 --- a/apps/files_encryption/js/settings-personal.js +++ b/apps/files_encryption/js/settings-personal.js @@ -95,4 +95,4 @@ $(document).ready(function(){ updatePrivateKeyPasswd(); }); -}); \ No newline at end of file +}); diff --git a/apps/files_encryption/lib/capabilities.php b/apps/files_encryption/lib/capabilities.php index 72baddcd049..ef94c9e086d 100644 --- a/apps/files_encryption/lib/capabilities.php +++ b/apps/files_encryption/lib/capabilities.php @@ -20,4 +20,4 @@ class Capabilities { )); } -} \ No newline at end of file +} diff --git a/apps/files_encryption/lib/keymanager.php b/apps/files_encryption/lib/keymanager.php index b2fd650f18d..5386de486e1 100755 --- a/apps/files_encryption/lib/keymanager.php +++ b/apps/files_encryption/lib/keymanager.php @@ -593,4 +593,4 @@ class Keymanager { return $targetPath; } -} \ No newline at end of file +} diff --git a/apps/files_encryption/tests/stream.php b/apps/files_encryption/tests/stream.php index 50ac41e4536..5193f8c9686 100644 --- a/apps/files_encryption/tests/stream.php +++ b/apps/files_encryption/tests/stream.php @@ -180,4 +180,4 @@ class Test_Encryption_Stream extends \PHPUnit_Framework_TestCase { // tear down $view->unlink($filename); } -} \ No newline at end of file +} diff --git a/apps/files_encryption/tests/trashbin.php b/apps/files_encryption/tests/trashbin.php index ade968fbece..6c1aa2a142f 100755 --- a/apps/files_encryption/tests/trashbin.php +++ b/apps/files_encryption/tests/trashbin.php @@ -300,4 +300,4 @@ class Test_Encryption_Trashbin extends \PHPUnit_Framework_TestCase { . '.' . \Test_Encryption_Trashbin::TEST_ENCRYPTION_TRASHBIN_USER1 . '.shareKey.' . $trashFileSuffix)); } -} \ No newline at end of file +} diff --git a/apps/files_encryption/tests/webdav.php b/apps/files_encryption/tests/webdav.php index 1d406789f0c..26a002a8b34 100755 --- a/apps/files_encryption/tests/webdav.php +++ b/apps/files_encryption/tests/webdav.php @@ -259,4 +259,4 @@ class Test_Encryption_Webdav extends \PHPUnit_Framework_TestCase { // return captured content return $content; } -} \ No newline at end of file +} diff --git a/apps/files_external/ajax/addMountPoint.php b/apps/files_external/ajax/addMountPoint.php index fed2ddfcf3d..9100d47db3a 100644 --- a/apps/files_external/ajax/addMountPoint.php +++ b/apps/files_external/ajax/addMountPoint.php @@ -16,4 +16,4 @@ $status = OC_Mount_Config::addMountPoint($_POST['mountPoint'], $_POST['mountType'], $_POST['applicable'], $isPersonal); -OCP\JSON::success(array('data' => array('message' => $status))); \ No newline at end of file +OCP\JSON::success(array('data' => array('message' => $status))); diff --git a/apps/files_external/ajax/google.php b/apps/files_external/ajax/google.php index e63b7cb07b9..2594a1780b3 100644 --- a/apps/files_external/ajax/google.php +++ b/apps/files_external/ajax/google.php @@ -39,4 +39,4 @@ if (isset($_POST['client_id']) && isset($_POST['client_secret']) && isset($_POST } } } -} \ No newline at end of file +} diff --git a/apps/files_external/js/google.js b/apps/files_external/js/google.js index 7e111a95d98..b4be1c1dc41 100644 --- a/apps/files_external/js/google.js +++ b/apps/files_external/js/google.js @@ -126,4 +126,4 @@ $(document).ready(function() { } }); -}); \ No newline at end of file +}); diff --git a/apps/files_external/lib/google.php b/apps/files_external/lib/google.php index ef8dd6d8cad..e6cdacdec4f 100644 --- a/apps/files_external/lib/google.php +++ b/apps/files_external/lib/google.php @@ -587,4 +587,4 @@ class Google extends \OC\Files\Storage\Common { return false; } -} \ No newline at end of file +} diff --git a/apps/files_external/tests/google.php b/apps/files_external/tests/google.php index 12faabb902d..d5495d49c5e 100644 --- a/apps/files_external/tests/google.php +++ b/apps/files_external/tests/google.php @@ -42,4 +42,4 @@ class Google extends Storage { $this->instance->rmdir('/'); } } -} \ No newline at end of file +} diff --git a/apps/files_sharing/appinfo/app.php b/apps/files_sharing/appinfo/app.php index 9363a5431fa..895d446a336 100644 --- a/apps/files_sharing/appinfo/app.php +++ b/apps/files_sharing/appinfo/app.php @@ -15,4 +15,4 @@ OCP\Util::addScript('files_sharing', 'share'); \OC_Hook::connect('OC_Filesystem', 'delete', '\OC\Files\Cache\Shared_Updater', 'deleteHook'); \OC_Hook::connect('OC_Filesystem', 'post_rename', '\OC\Files\Cache\Shared_Updater', 'renameHook'); \OC_Hook::connect('OCP\Share', 'post_shared', '\OC\Files\Cache\Shared_Updater', 'shareHook'); -\OC_Hook::connect('OCP\Share', 'pre_unshare', '\OC\Files\Cache\Shared_Updater', 'shareHook'); \ No newline at end of file +\OC_Hook::connect('OCP\Share', 'pre_unshare', '\OC\Files\Cache\Shared_Updater', 'shareHook'); diff --git a/apps/files_sharing/js/share.js b/apps/files_sharing/js/share.js index b2efafde4e7..3be89a39fa0 100644 --- a/apps/files_sharing/js/share.js +++ b/apps/files_sharing/js/share.js @@ -38,4 +38,4 @@ $(document).ready(function() { } }); } -}); \ No newline at end of file +}); diff --git a/apps/files_sharing/lib/cache.php b/apps/files_sharing/lib/cache.php index 2160fe9a393..33cd1428899 100644 --- a/apps/files_sharing/lib/cache.php +++ b/apps/files_sharing/lib/cache.php @@ -288,4 +288,4 @@ class Shared_Cache extends Cache { return false; } -} \ No newline at end of file +} diff --git a/apps/files_sharing/lib/permissions.php b/apps/files_sharing/lib/permissions.php index b6638564cd8..e2978e12bfb 100644 --- a/apps/files_sharing/lib/permissions.php +++ b/apps/files_sharing/lib/permissions.php @@ -106,4 +106,4 @@ class Shared_Permissions extends Permissions { // Not a valid action for Shared Permissions } -} \ No newline at end of file +} diff --git a/apps/files_sharing/lib/watcher.php b/apps/files_sharing/lib/watcher.php index e67d1ee9086..6fdfc1db36d 100644 --- a/apps/files_sharing/lib/watcher.php +++ b/apps/files_sharing/lib/watcher.php @@ -48,4 +48,4 @@ class Shared_Watcher extends Watcher { } } -} \ No newline at end of file +} diff --git a/apps/files_sharing/templates/part.404.php b/apps/files_sharing/templates/part.404.php index b5152e1511a..3ef117d7524 100644 --- a/apps/files_sharing/templates/part.404.php +++ b/apps/files_sharing/templates/part.404.php @@ -9,4 +9,4 @@

    t('For more info, please ask the person who sent this link.')); ?>

    - \ No newline at end of file + diff --git a/apps/files_trashbin/appinfo/app.php b/apps/files_trashbin/appinfo/app.php index 3b1e0ac30cc..2c101f0a723 100644 --- a/apps/files_trashbin/appinfo/app.php +++ b/apps/files_trashbin/appinfo/app.php @@ -4,4 +4,4 @@ OC::$CLASSPATH['OCA\Files_Trashbin\Hooks'] = 'files_trashbin/lib/hooks.php'; OC::$CLASSPATH['OCA\Files_Trashbin\Trashbin'] = 'files_trashbin/lib/trash.php'; // register hooks -\OCA\Files_Trashbin\Trashbin::registerHooks(); \ No newline at end of file +\OCA\Files_Trashbin\Trashbin::registerHooks(); diff --git a/apps/files_trashbin/appinfo/update.php b/apps/files_trashbin/appinfo/update.php index f4dad7b26bf..0ca232668d7 100644 --- a/apps/files_trashbin/appinfo/update.php +++ b/apps/files_trashbin/appinfo/update.php @@ -7,4 +7,4 @@ if (version_compare($installedVersion, '0.4', '<')) { //enforce a recalculation during next usage. $query = \OC_DB::prepare('DELETE FROM `*PREFIX*files_trashsize`'); $result = $query->execute(); -} \ No newline at end of file +} diff --git a/apps/files_trashbin/js/disableDefaultActions.js b/apps/files_trashbin/js/disableDefaultActions.js index df08bfb1a50..afa80cacd6b 100644 --- a/apps/files_trashbin/js/disableDefaultActions.js +++ b/apps/files_trashbin/js/disableDefaultActions.js @@ -1,4 +1,4 @@ /* disable download and sharing actions */ var disableDownloadActions = true; var disableSharing = true; -var trashBinApp = true; \ No newline at end of file +var trashBinApp = true; diff --git a/apps/files_versions/appinfo/routes.php b/apps/files_versions/appinfo/routes.php index 8cef57c9e4d..38c288adf9d 100644 --- a/apps/files_versions/appinfo/routes.php +++ b/apps/files_versions/appinfo/routes.php @@ -6,4 +6,4 @@ */ // Register with the capabilities API -OC_API::register('get', '/cloud/capabilities', array('OCA\Files_Versions\Capabilities', 'getCapabilities'), 'files_versions', OC_API::USER_AUTH); \ No newline at end of file +OC_API::register('get', '/cloud/capabilities', array('OCA\Files_Versions\Capabilities', 'getCapabilities'), 'files_versions', OC_API::USER_AUTH); diff --git a/apps/files_versions/lib/capabilities.php b/apps/files_versions/lib/capabilities.php index 3251a07b6ae..45d7dd3fb02 100644 --- a/apps/files_versions/lib/capabilities.php +++ b/apps/files_versions/lib/capabilities.php @@ -20,4 +20,4 @@ class Capabilities { )); } -} \ No newline at end of file +} diff --git a/apps/user_ldap/ajax/clearMappings.php b/apps/user_ldap/ajax/clearMappings.php index 5dab39839b6..9118d58c5cf 100644 --- a/apps/user_ldap/ajax/clearMappings.php +++ b/apps/user_ldap/ajax/clearMappings.php @@ -32,4 +32,4 @@ if(\OCA\user_ldap\lib\Helper::clearMapping($subject)) { } else { $l=OC_L10N::get('user_ldap'); OCP\JSON::error(array('message' => $l->t('Failed to clear the mappings.'))); -} \ No newline at end of file +} diff --git a/apps/user_ldap/ajax/getConfiguration.php b/apps/user_ldap/ajax/getConfiguration.php index dfae68d2dc9..baca588976f 100644 --- a/apps/user_ldap/ajax/getConfiguration.php +++ b/apps/user_ldap/ajax/getConfiguration.php @@ -28,4 +28,4 @@ OCP\JSON::callCheck(); $prefix = $_POST['ldap_serverconfig_chooser']; $connection = new \OCA\user_ldap\lib\Connection($prefix); -OCP\JSON::success(array('configuration' => $connection->getConfiguration())); \ No newline at end of file +OCP\JSON::success(array('configuration' => $connection->getConfiguration())); diff --git a/apps/user_ldap/ajax/getNewServerConfigPrefix.php b/apps/user_ldap/ajax/getNewServerConfigPrefix.php index 17e78f87072..1c68b2e9a76 100644 --- a/apps/user_ldap/ajax/getNewServerConfigPrefix.php +++ b/apps/user_ldap/ajax/getNewServerConfigPrefix.php @@ -31,4 +31,4 @@ sort($serverConnections); $lk = array_pop($serverConnections); $ln = intval(str_replace('s', '', $lk)); $nk = 's'.str_pad($ln+1, 2, '0', STR_PAD_LEFT); -OCP\JSON::success(array('configPrefix' => $nk)); \ No newline at end of file +OCP\JSON::success(array('configPrefix' => $nk)); diff --git a/apps/user_ldap/ajax/setConfiguration.php b/apps/user_ldap/ajax/setConfiguration.php index 206487c7e0a..d850bda2470 100644 --- a/apps/user_ldap/ajax/setConfiguration.php +++ b/apps/user_ldap/ajax/setConfiguration.php @@ -30,4 +30,4 @@ $prefix = $_POST['ldap_serverconfig_chooser']; $connection = new \OCA\user_ldap\lib\Connection($prefix); $connection->setConfiguration($_POST); $connection->saveConfiguration(); -OCP\JSON::success(); \ No newline at end of file +OCP\JSON::success(); diff --git a/apps/user_ldap/css/settings.css b/apps/user_ldap/css/settings.css index 185952e14bb..431e064def8 100644 --- a/apps/user_ldap/css/settings.css +++ b/apps/user_ldap/css/settings.css @@ -18,4 +18,4 @@ .ldapwarning { margin-left: 1.4em; color: #FF3B3B; -} \ No newline at end of file +} diff --git a/apps/user_ldap/group_proxy.php b/apps/user_ldap/group_proxy.php index 75e7cd46336..eb6f176c58c 100644 --- a/apps/user_ldap/group_proxy.php +++ b/apps/user_ldap/group_proxy.php @@ -198,4 +198,4 @@ class Group_Proxy extends lib\Proxy implements \OCP\GroupInterface { //it's the same across all our user backends obviously return $this->refBackend->implementsActions($actions); } -} \ No newline at end of file +} diff --git a/apps/user_ldap/js/settings.js b/apps/user_ldap/js/settings.js index 52d5dbc48d9..78c9719480d 100644 --- a/apps/user_ldap/js/settings.js +++ b/apps/user_ldap/js/settings.js @@ -204,4 +204,4 @@ $(document).ready(function() { LdapConfiguration.refreshConfig(); } }); -}); \ No newline at end of file +}); diff --git a/apps/user_ldap/lib/proxy.php b/apps/user_ldap/lib/proxy.php index c80e2163475..ae3e3be7361 100644 --- a/apps/user_ldap/lib/proxy.php +++ b/apps/user_ldap/lib/proxy.php @@ -101,4 +101,4 @@ abstract class Proxy { public function clearCache() { $this->cache->clear($this->getCacheKey(null)); } -} \ No newline at end of file +} diff --git a/apps/user_ldap/user_proxy.php b/apps/user_ldap/user_proxy.php index 73cc0963182..0722d8871a4 100644 --- a/apps/user_ldap/user_proxy.php +++ b/apps/user_ldap/user_proxy.php @@ -198,4 +198,4 @@ class User_Proxy extends lib\Proxy implements \OCP\UserInterface { return $this->refBackend->hasUserListings(); } -} \ No newline at end of file +} diff --git a/core/css/auth.css b/core/css/auth.css index bce7fa7b711..0adc10c77d9 100644 --- a/core/css/auth.css +++ b/core/css/auth.css @@ -36,4 +36,4 @@ h2 img { font-size:1.2em; margin:.7em; padding:0; -} \ No newline at end of file +} diff --git a/core/js/jquery.infieldlabel.js b/core/js/jquery.infieldlabel.js index 8a76da1b140..fad15102bcb 100644 --- a/core/js/jquery.infieldlabel.js +++ b/core/js/jquery.infieldlabel.js @@ -174,4 +174,4 @@ }); }; -}(jQuery)); \ No newline at end of file +}(jQuery)); diff --git a/core/js/jquery.inview.js b/core/js/jquery.inview.js index 9687cd83368..511ae95415e 100644 --- a/core/js/jquery.inview.js +++ b/core/js/jquery.inview.js @@ -131,4 +131,4 @@ // By the way, iOS (iPad, iPhone, ...) seems to not execute, or at least delays // intervals while the user scrolls. Therefore the inview event might fire a bit late there setInterval(checkInView, 250); -})(jQuery); \ No newline at end of file +})(jQuery); diff --git a/core/js/oc-requesttoken.js b/core/js/oc-requesttoken.js index f4cf286b8aa..6cc6b5a855b 100644 --- a/core/js/oc-requesttoken.js +++ b/core/js/oc-requesttoken.js @@ -1,3 +1,3 @@ $(document).bind('ajaxSend', function(elm, xhr, s) { xhr.setRequestHeader('requesttoken', oc_requesttoken); -}); \ No newline at end of file +}); diff --git a/core/js/visitortimezone.js b/core/js/visitortimezone.js index 58a1e9ea355..ee0105c783d 100644 --- a/core/js/visitortimezone.js +++ b/core/js/visitortimezone.js @@ -1,4 +1,4 @@ $(document).ready(function () { var visitortimezone = (-new Date().getTimezoneOffset() / 60); $('#timezone-offset').val(visitortimezone); -}); \ No newline at end of file +}); diff --git a/core/lostpassword/templates/email.php b/core/lostpassword/templates/email.php index b65049feffe..3dbae4bfc69 100644 --- a/core/lostpassword/templates/email.php +++ b/core/lostpassword/templates/email.php @@ -1,2 +1,2 @@ t('Use the following link to reset your password: {link}')); \ No newline at end of file +echo str_replace('{link}', $_['link'], $l->t('Use the following link to reset your password: {link}')); diff --git a/core/routes.php b/core/routes.php index be19b66bf72..dd8222d4378 100644 --- a/core/routes.php +++ b/core/routes.php @@ -73,4 +73,4 @@ $this->create('app_script', '/apps/{app}/{file}') // used for heartbeat $this->create('heartbeat', '/heartbeat')->action(function(){ // do nothing -}); \ No newline at end of file +}); diff --git a/cron.php b/cron.php index fbea7f26aed..d39800c8849 100644 --- a/cron.php +++ b/cron.php @@ -121,4 +121,4 @@ try { } catch (Exception $ex) { \OCP\Util::writeLog('cron', $ex->getMessage(), \OCP\Util::FATAL); -} \ No newline at end of file +} diff --git a/lib/files/storage/commontest.php b/lib/files/storage/commontest.php index fbdb7fbf110..c3f1eb31955 100644 --- a/lib/files/storage/commontest.php +++ b/lib/files/storage/commontest.php @@ -77,4 +77,4 @@ class CommonTest extends \OC\Files\Storage\Common{ public function touch($path, $mtime=null) { return $this->storage->touch($path, $mtime); } -} \ No newline at end of file +} diff --git a/lib/geo.php b/lib/geo.php index 4eb785da355..ed01ad0b616 100644 --- a/lib/geo.php +++ b/lib/geo.php @@ -28,4 +28,4 @@ class OC_Geo{ reset($variances); return current($variances); } -} \ No newline at end of file +} diff --git a/lib/ocs/result.php b/lib/ocs/result.php index 729c39056d9..84f06fa01c7 100644 --- a/lib/ocs/result.php +++ b/lib/ocs/result.php @@ -94,4 +94,4 @@ class OC_OCS_Result{ } -} \ No newline at end of file +} diff --git a/lib/public/groupinterface.php b/lib/public/groupinterface.php index 97833028118..5603faa8265 100644 --- a/lib/public/groupinterface.php +++ b/lib/public/groupinterface.php @@ -28,4 +28,4 @@ namespace OCP; -interface GroupInterface extends \OC_Group_Interface {} \ No newline at end of file +interface GroupInterface extends \OC_Group_Interface {} diff --git a/lib/public/userinterface.php b/lib/public/userinterface.php index b73a8f8d8b0..53d9faf7a5e 100644 --- a/lib/public/userinterface.php +++ b/lib/public/userinterface.php @@ -28,4 +28,4 @@ namespace OCP; -interface UserInterface extends \OC_User_Interface {} \ No newline at end of file +interface UserInterface extends \OC_User_Interface {} diff --git a/lib/user/http.php b/lib/user/http.php index 944ede73a0b..1e044ed4188 100644 --- a/lib/user/http.php +++ b/lib/user/http.php @@ -103,4 +103,4 @@ class OC_User_HTTP extends OC_User_Backend { return false; } } -} \ No newline at end of file +} diff --git a/lib/user/interface.php b/lib/user/interface.php index b1e19aea7fb..c72bdfaf3fd 100644 --- a/lib/user/interface.php +++ b/lib/user/interface.php @@ -77,4 +77,4 @@ interface OC_User_Interface { * @return boolean if users can be listed or not */ public function hasUserListings(); -} \ No newline at end of file +} diff --git a/lib/vobject/compoundproperty.php b/lib/vobject/compoundproperty.php index d702ab802e0..7fe42574bed 100644 --- a/lib/vobject/compoundproperty.php +++ b/lib/vobject/compoundproperty.php @@ -67,4 +67,4 @@ class CompoundProperty extends \Sabre\VObject\Property\Compound { } -} \ No newline at end of file +} diff --git a/lib/vobject/stringproperty.php b/lib/vobject/stringproperty.php index b98a8f26c2b..a9d63a0a789 100644 --- a/lib/vobject/stringproperty.php +++ b/lib/vobject/stringproperty.php @@ -77,4 +77,4 @@ class StringProperty extends \Sabre\VObject\Property { } -} \ No newline at end of file +} diff --git a/ocs/routes.php b/ocs/routes.php index 5fcf05e4f99..1ea698c7a83 100644 --- a/ocs/routes.php +++ b/ocs/routes.php @@ -74,4 +74,4 @@ OC_API::register( array('OC_OCS_Cloud', 'getCapabilities'), 'core', OC_API::USER_AUTH - ); \ No newline at end of file + ); diff --git a/public.php b/public.php index 0154b59cce3..1781632bc78 100644 --- a/public.php +++ b/public.php @@ -28,4 +28,4 @@ try { OC_Response::setStatus(OC_Response::STATUS_INTERNAL_SERVER_ERROR); \OCP\Util::writeLog('remote', $ex->getMessage(), \OCP\Util::FATAL); OC_Template::printExceptionErrorPage($ex); -} \ No newline at end of file +} diff --git a/remote.php b/remote.php index ec0f2ecef72..2d0088cd903 100644 --- a/remote.php +++ b/remote.php @@ -46,4 +46,4 @@ try { OC_Response::setStatus(OC_Response::STATUS_INTERNAL_SERVER_ERROR); \OCP\Util::writeLog('remote', $ex->getMessage(), \OCP\Util::FATAL); OC_Template::printExceptionErrorPage($ex); -} \ No newline at end of file +} diff --git a/search/css/results.css b/search/css/results.css index 30cc352fd7b..4ae7d67afb3 100644 --- a/search/css/results.css +++ b/search/css/results.css @@ -66,4 +66,4 @@ #searchresults tr.current { background-color:#ddd; -} \ No newline at end of file +} diff --git a/settings/ajax/setsecurity.php b/settings/ajax/setsecurity.php index 16a85aade81..675d7eced47 100644 --- a/settings/ajax/setsecurity.php +++ b/settings/ajax/setsecurity.php @@ -10,4 +10,4 @@ OCP\JSON::callCheck(); OC_Config::setValue( 'forcessl', filter_var($_POST['enforceHTTPS'], FILTER_VALIDATE_BOOLEAN)); -echo 'true'; \ No newline at end of file +echo 'true'; diff --git a/settings/ajax/updateapp.php b/settings/ajax/updateapp.php index 300e8642515..91c342d5d07 100644 --- a/settings/ajax/updateapp.php +++ b/settings/ajax/updateapp.php @@ -12,4 +12,4 @@ if($result !== false) { } else { $l = OC_L10N::get('settings'); OC_JSON::error(array("data" => array( "message" => $l->t("Couldn't update app.") ))); -} \ No newline at end of file +} diff --git a/settings/js/apps-custom.php b/settings/js/apps-custom.php index d827dfc7058..c25148cdde5 100644 --- a/settings/js/apps-custom.php +++ b/settings/js/apps-custom.php @@ -23,4 +23,4 @@ foreach($combinedApps as $app) { echo("\n"); } -echo ("var appid =".json_encode($_GET['appid']).";"); \ No newline at end of file +echo ("var appid =".json_encode($_GET['appid']).";"); diff --git a/settings/js/isadmin.php b/settings/js/isadmin.php index 8b31f8a7cf9..13a8ba1d312 100644 --- a/settings/js/isadmin.php +++ b/settings/js/isadmin.php @@ -17,4 +17,4 @@ if (OC_User::isAdminUser(OC_User::getUser())) { echo("var isadmin = true;"); } else { echo("var isadmin = false;"); -} \ No newline at end of file +} diff --git a/status.php b/status.php index bac01c11b28..179fe3f49f2 100644 --- a/status.php +++ b/status.php @@ -39,4 +39,4 @@ try { } catch (Exception $ex) { OC_Response::setStatus(OC_Response::STATUS_INTERNAL_SERVER_ERROR); \OCP\Util::writeLog('remote', $ex->getMessage(), \OCP\Util::FATAL); -} \ No newline at end of file +} diff --git a/tests/lib/app.php b/tests/lib/app.php index 5396db8143e..52eade90a6e 100644 --- a/tests/lib/app.php +++ b/tests/lib/app.php @@ -79,4 +79,4 @@ class Test_App extends PHPUnit_Framework_TestCase { $this->assertFalse(OC_App::isAppVersionCompatible($oc, $app)); } -} \ No newline at end of file +} diff --git a/tests/lib/archive/zip.php b/tests/lib/archive/zip.php index e049a899d88..195e3450f3f 100644 --- a/tests/lib/archive/zip.php +++ b/tests/lib/archive/zip.php @@ -19,4 +19,4 @@ class Test_Archive_ZIP extends Test_Archive { return new OC_Archive_ZIP(OCP\Files::tmpFile('.zip')); } } -} \ No newline at end of file +} diff --git a/tests/lib/geo.php b/tests/lib/geo.php index 2c3611c092e..1c56a976129 100644 --- a/tests/lib/geo.php +++ b/tests/lib/geo.php @@ -20,4 +20,4 @@ class Test_Geo extends PHPUnit_Framework_TestCase { $expected = 'Pacific/Enderbury'; $this->assertEquals($expected, $result); } -} \ No newline at end of file +} diff --git a/tests/lib/vobject.php b/tests/lib/vobject.php index f28d22a1fcd..db5b0f99f06 100644 --- a/tests/lib/vobject.php +++ b/tests/lib/vobject.php @@ -35,4 +35,4 @@ class Test_VObject extends PHPUnit_Framework_TestCase { $parts = $property->getParts(); $this->assertEquals('Marketing;Sales', $parts[2]); } -} \ No newline at end of file +} -- GitLab From 1793ec1d5dcbdf806817da1674562ef6a02b39b0 Mon Sep 17 00:00:00 2001 From: Owen Winkler Date: Sun, 18 Aug 2013 05:17:28 -0400 Subject: [PATCH 290/415] Fixed inconsistent spacing. --- core/js/js.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/core/js/js.js b/core/js/js.js index 75a2b51a43f..d580b6113e6 100644 --- a/core/js/js.js +++ b/core/js/js.js @@ -69,7 +69,7 @@ function initL10N(app) { var code = 'var plural; var nplurals; '+pf+' return { "nplural" : nplurals, "plural" : (plural === true ? 1 : plural ? plural : 0) };'; t.plural_function = new Function("n", code); } else { - console.log("Syntax error in language file. Plural-Forms header is invalid ["+ t.plural_forms+"]"); + console.log("Syntax error in language file. Plural-Forms header is invalid ["+t.plural_forms+"]"); } } } -- GitLab From bf4efd52909d91965d346df35d975ffb1fa35269 Mon Sep 17 00:00:00 2001 From: Jan-Christoph Borchardt Date: Sun, 18 Aug 2013 11:18:16 +0200 Subject: [PATCH 291/415] move upload progress bar near upload button, more contextual --- apps/files/css/files.css | 16 +++++++++++++--- 1 file changed, 13 insertions(+), 3 deletions(-) diff --git a/apps/files/css/files.css b/apps/files/css/files.css index 50aa58b53d7..2cc68fd3bbf 100644 --- a/apps/files/css/files.css +++ b/apps/files/css/files.css @@ -46,12 +46,22 @@ z-index:20; position:relative; cursor:pointer; overflow:hidden; } -#uploadprogresswrapper { float: right; position: relative; } +#uploadprogresswrapper { + position: relative; + display: inline; +} #uploadprogresswrapper #uploadprogressbar { - position:relative; float: right; - margin-left: 12px; width:10em; height:1.5em; top:.4em; + position:relative; + float: left; + margin-left: 12px; + width: 130px; + height: 26px; display:inline-block; } +#uploadprogresswrapper #uploadprogressbar + stop { + font-size: 13px; +} + /* FILE TABLE */ -- GitLab From 1be11bb03d2627d3c8cac4a2fc094808f7ec59c3 Mon Sep 17 00:00:00 2001 From: Bjoern Schiessle Date: Sun, 18 Aug 2013 11:21:01 +0200 Subject: [PATCH 292/415] don't change the etags if a file gets encrypted/decrypted to avoid that the sync client downloads all files again --- apps/files_encryption/lib/util.php | 56 +++++++++++++++++------------- 1 file changed, 32 insertions(+), 24 deletions(-) diff --git a/apps/files_encryption/lib/util.php b/apps/files_encryption/lib/util.php index d89fe1e33b9..b8d68623493 100644 --- a/apps/files_encryption/lib/util.php +++ b/apps/files_encryption/lib/util.php @@ -340,7 +340,7 @@ class Util { $filePath = $directory . '/' . $this->view->getRelativePath('/' . $file); $relPath = \OCA\Encryption\Helper::stripUserFilesPath($filePath); - // If the path is a directory, search + // If the path is a directory, search // its contents if ($this->view->is_dir($filePath)) { @@ -356,8 +356,8 @@ class Util { $isEncryptedPath = $this->isEncryptedPath($filePath); // If the file is encrypted - // NOTE: If the userId is - // empty or not set, file will + // NOTE: If the userId is + // empty or not set, file will // detected as plain // NOTE: This is inefficient; // scanning every file like this @@ -687,7 +687,7 @@ class Util { return $successful; } - + /** * @brief Decrypt all files * @return bool @@ -702,21 +702,24 @@ class Util { $versionStatus = \OCP\App::isEnabled('files_versions'); \OC_App::disable('files_versions'); - + $decryptedFiles = array(); // Encrypt unencrypted files foreach ($found['encrypted'] as $encryptedFile) { + //get file info + $fileInfo = \OC\Files\Filesystem::getFileInfo($encryptedFile['path']); + //relative to data//file $relPath = Helper::stripUserFilesPath($encryptedFile['path']); //relative to /data $rawPath = $encryptedFile['path']; - + //get timestamp $timestamp = $this->view->filemtime($rawPath); - + //enable proxy to use OC\Files\View to access the original file \OC_FileProxy::$enabled = true; @@ -760,14 +763,15 @@ class Util { //set timestamp $this->view->touch($rawPath, $timestamp); - + // Add the file to the cache \OC\Files\Filesystem::putFileInfo($relPath, array( 'encrypted' => false, 'size' => $size, - 'unencrypted_size' => $size + 'unencrypted_size' => $size, + 'etag' => $fileInfo['etag'] )); - + $decryptedFiles[] = $relPath; } @@ -775,11 +779,11 @@ class Util { if ($versionStatus) { \OC_App::enable('files_versions'); } - + if (!$this->decryptVersions($decryptedFiles)) { $successful = false; } - + if ($successful) { $this->view->deleteAll($this->keyfilesPath); $this->view->deleteAll($this->shareKeysPath); @@ -807,24 +811,27 @@ class Util { // Disable proxy to prevent file being encrypted twice \OC_FileProxy::$enabled = false; - + $versionStatus = \OCP\App::isEnabled('files_versions'); \OC_App::disable('files_versions'); - + $encryptedFiles = array(); // Encrypt unencrypted files foreach ($found['plain'] as $plainFile) { + //get file info + $fileInfo = \OC\Files\Filesystem::getFileInfo($plainFile['path']); + //relative to data//file $relPath = $plainFile['path']; - + //relative to /data $rawPath = '/' . $this->userId . '/files/' . $plainFile['path']; // keep timestamp $timestamp = $this->view->filemtime($rawPath); - + // Open plain file handle for binary reading $plainHandle = $this->view->fopen($rawPath, 'rb'); @@ -843,7 +850,7 @@ class Util { $this->view->rename($relPath . '.part', $relPath); $this->view->chroot($fakeRoot); - + // set timestamp $this->view->touch($rawPath, $timestamp); @@ -851,9 +858,10 @@ class Util { \OC\Files\Filesystem::putFileInfo($relPath, array( 'encrypted' => true, 'size' => $size, - 'unencrypted_size' => $size + 'unencrypted_size' => $size, + 'etag' => $fileInfo['etag'] )); - + $encryptedFiles[] = $relPath; } @@ -899,9 +907,9 @@ class Util { if ($versionStatus) { \OC_App::enable('files_versions'); } - + $this->encryptVersions($encryptedFiles); - + // If files were found, return true return true; } else { @@ -1140,7 +1148,7 @@ class Util { } - // If recovery is enabled, add the + // If recovery is enabled, add the // Admin UID to list of users to share to if ($recoveryEnabled) { // Find recoveryAdmin user ID @@ -1727,8 +1735,8 @@ class Util { $session = new \OCA\Encryption\Session($this->view); $session->setPrivateKey($privateKey); - + return $session; } - + } -- GitLab From dce7cdaaec8b69b32d68fa7d4cdb6c0a3ca34f94 Mon Sep 17 00:00:00 2001 From: Jan-Christoph Borchardt Date: Sun, 18 Aug 2013 11:27:51 +0200 Subject: [PATCH 293/415] remove unneeded extra ID selectors --- apps/files/css/files.css | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/apps/files/css/files.css b/apps/files/css/files.css index 2cc68fd3bbf..a2cf8398c27 100644 --- a/apps/files/css/files.css +++ b/apps/files/css/files.css @@ -50,7 +50,7 @@ position: relative; display: inline; } -#uploadprogresswrapper #uploadprogressbar { +#uploadprogressbar { position:relative; float: left; margin-left: 12px; @@ -58,7 +58,7 @@ height: 26px; display:inline-block; } -#uploadprogresswrapper #uploadprogressbar + stop { +#uploadprogressbar + stop { font-size: 13px; } -- GitLab From d544a371bfb84f36a3b789d19d44d6694de21c48 Mon Sep 17 00:00:00 2001 From: Bjoern Schiessle Date: Sun, 18 Aug 2013 11:31:25 +0200 Subject: [PATCH 294/415] revert changes to 3rdparty submodule reference --- 3rdparty | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/3rdparty b/3rdparty index 72db6ce87d6..2f3ae9f56a9 160000 --- a/3rdparty +++ b/3rdparty @@ -1 +1 @@ -Subproject commit 72db6ce87d69f00ce62d2f3f277a54f6fdd0f693 +Subproject commit 2f3ae9f56a9838b45254393e13c14f8a8c380d6b -- GitLab From aba64a0b81853dd3153da708538dddc96bbe647d Mon Sep 17 00:00:00 2001 From: Markus Goetz Date: Sat, 17 Aug 2013 16:01:37 +0200 Subject: [PATCH 295/415] Class Auto Loader: Cache paths in APC Using benchmark_single.php (from administration repo) I can measure a speed improvement of 5% to 20% loading the /index.php when logged in. (when using APC and php-fpm). --- lib/autoloader.php | 26 +++++++++++++++++++++++++- lib/memcache/factory.php | 29 +++++++++++++++++++++++++++++ 2 files changed, 54 insertions(+), 1 deletion(-) diff --git a/lib/autoloader.php b/lib/autoloader.php index 21170639092..01841f831be 100644 --- a/lib/autoloader.php +++ b/lib/autoloader.php @@ -111,15 +111,39 @@ class Autoloader { * @param string $class * @return bool */ + protected $memoryCache = null; + protected $constructingMemoryCache = true; // hack to prevent recursion public function load($class) { - $paths = $this->findClass($class); + // Does this PHP have an in-memory cache? We cache the paths there + if ($this->constructingMemoryCache && !$this->memoryCache) { + $this->constructingMemoryCache = false; + $this->memoryCache = \OC\Memcache\Factory::createLowLatency('Autoloader'); + } + if ($this->memoryCache) { + $pathsToRequire = $this->memoryCache->get($class); + if (is_array($pathsToRequire)) { + foreach ($pathsToRequire as $path) { + require_once $path; + } + return false; + } + } + // Use the normal class loading path + $paths = $this->findClass($class); if (is_array($paths)) { + $pathsToRequire = array(); foreach ($paths as $path) { if ($fullPath = stream_resolve_include_path($path)) { require_once $fullPath; + $pathsToRequire[] = $fullPath; } } + + // Save in our memory cache + if ($this->memoryCache) { + $this->memoryCache->set($class, $pathsToRequire, 60); // cache 60 sec + } } return false; } diff --git a/lib/memcache/factory.php b/lib/memcache/factory.php index 4c1b1ab207f..fde7d947567 100644 --- a/lib/memcache/factory.php +++ b/lib/memcache/factory.php @@ -37,4 +37,33 @@ class Factory { public function isAvailable() { return XCache::isAvailable() || APCu::isAvailable() || APC::isAvailable() || Memcached::isAvailable(); } + + /** + * get a in-server cache instance, will return null if no backend is available + * + * @param string $prefix + * @return \OC\Memcache\Cache + */ + public static function createLowLatency($prefix = '') { + if (XCache::isAvailable()) { + return new XCache($prefix); + } elseif (APCu::isAvailable()) { + return new APCu($prefix); + } elseif (APC::isAvailable()) { + return new APC($prefix); + } else { + return null; + } + } + + /** + * check if there is a in-server backend available + * + * @return bool + */ + public static function isAvailableLowLatency() { + return XCache::isAvailable() || APCu::isAvailable() || APC::isAvailable(); + } + + } -- GitLab From 9f4bd7cb47af70bfd152a7b3bfb61ecd632fa28d Mon Sep 17 00:00:00 2001 From: kondou Date: Sun, 18 Aug 2013 13:49:34 +0200 Subject: [PATCH 296/415] Don't use an alert for displaying app-mgmt-errors Rather display a dominant div and mark the problematic app in the applist. Fix #305 --- lib/installer.php | 2 +- settings/css/settings.css | 16 +++++++++++++++- settings/js/apps.js | 37 ++++++++++++++++++++++++++++--------- settings/templates/apps.php | 1 + 4 files changed, 45 insertions(+), 11 deletions(-) diff --git a/lib/installer.php b/lib/installer.php index 101c99e9c1f..c9d331551c0 100644 --- a/lib/installer.php +++ b/lib/installer.php @@ -141,7 +141,7 @@ class OC_Installer{ // check if shipped tag is set which is only allowed for apps that are shipped with ownCloud if(isset($info['shipped']) and ($info['shipped']=='true')) { OC_Helper::rmdirr($extractDir); - throw new \Exception($l->t("App can't be installed because it contains the <shipped>true</shipped> tag which is not allowed for non shipped apps")); + throw new \Exception($l->t("App can't be installed because it contains the true tag which is not allowed for non shipped apps")); } // check if the ocs version is the same as the version in info.xml/version diff --git a/settings/css/settings.css b/settings/css/settings.css index 20df5d86d65..38c28dd33b9 100644 --- a/settings/css/settings.css +++ b/settings/css/settings.css @@ -61,7 +61,7 @@ select.quota.active { background: #fff; } .ie8 table.hascontrols tbody tr{border-collapse:collapse;border: 1px solid #ddd !important;} /* APPS */ -.appinfo { margin: 1em; } +.appinfo { margin: 1em 40px; } h3 { font-size: 1.4em; font-weight: bold; } ul.applist a { height: 2.2em; @@ -72,6 +72,12 @@ ul.applist .app-external { } li { color:#888; } li.active { color:#000; } +#leftcontent .appwarning { + background: #fcc; +} +#leftcontent .appwarning:hover { + background: #fbb; +} small.externalapp { color:#FFF; background-color:#BBB; font-weight:bold; font-size: 0.6em; margin: 0; padding: 0.1em 0.2em; border-radius: 4px;} small.externalapp.list { float: right; } small.recommendedapp { color:#FFF; background-color:#888; font-weight:bold; font-size: 0.6em; margin: 0; padding: 0.1em 0.2em; border-radius: 4px;} @@ -86,6 +92,14 @@ span.version { margin-left:1em; margin-right:1em; color:#555; } .appslink { text-decoration: underline; } .score { color:#666; font-weight:bold; font-size:0.8em; } +.errormsg { + margin: 20px; + padding: 5px; + background: #fdd; + -webkit-border-radius: 3px; + -moz-border-radius: 3px; + border-radius: 3px; +} /* LOG */ #log { white-space:normal; } diff --git a/settings/js/apps.js b/settings/js/apps.js index 6c835a59997..e49fd21a597 100644 --- a/settings/js/apps.js +++ b/settings/js/apps.js @@ -27,7 +27,7 @@ OC.Settings.Apps = OC.Settings.Apps || { } page.find('small.externalapp').attr('style', 'visibility:visible'); page.find('span.author').text(app.author); - page.find('span.licence').text(app.licence); + page.find('span.licence').text(app.license); if (app.update !== false) { page.find('input.update').show(); @@ -50,6 +50,12 @@ OC.Settings.Apps = OC.Settings.Apps || { page.find('p.appslink').hide(); page.find('span.score').hide(); } + if (typeof($('#leftcontent li[data-id="'+app.id+'"]').data('errormsg')) !== "undefined") { + page.find(".errormsg").show(); + page.find(".errormsg").text($('#leftcontent li[data-id="'+app.id+'"]').data('errormsg')); + } else { + page.find(".errormsg").hide(); + } }, enableApp:function(appid, active, element) { console.log('enableApp:', appid, active, element); @@ -62,40 +68,48 @@ OC.Settings.Apps = OC.Settings.Apps || { $.post(OC.filePath('settings','ajax','disableapp.php'),{appid:appid},function(result) { if(!result || result.status !== 'success') { if (result.data && result.data.message) { - OC.dialogs.alert(result.data.message, t('core', 'Error')); + OC.Settings.Apps.showErrorMessage(result.data.message); + $('#leftcontent li[data-id="'+appid+'"]').data('errormsg', result.data.message); } else { - OC.dialogs.alert(t('settings', 'Error while disabling app'), t('core', 'Error')); + OC.Settings.Apps.showErrorMessage(t('settings', 'Error while disabling app')); + $('#leftcontent li[data-id="'+appid+'"]').data('errormsg', t('settings', 'Error while disabling app')); } + element.val(t('settings','Disable')); + $('#leftcontent li[data-id="'+appid+'"]').addClass('appwarning'); } else { element.data('active',false); OC.Settings.Apps.removeNavigation(appid); + $('#leftcontent li[data-id="'+appid+'"]').removeClass('active'); element.val(t('settings','Enable')); } },'json'); - $('#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.data && result.data.message) { - OC.dialogs.alert(result.data.message, t('core', 'Error')); + OC.Settings.Apps.showErrorMessage(result.data.message); + $('#leftcontent li[data-id="'+appid+'"]').data('errormsg', result.data.message); } else { - OC.dialogs.alert(t('settings', 'Error while enabling app'), t('core', 'Error')); + OC.Settings.Apps.showErrorMessage(t('settings', 'Error while enabling app')); + $('#leftcontent li[data-id="'+appid+'"]').data('errormsg', t('settings', 'Error while disabling app')); } element.val(t('settings','Enable')); + $('#leftcontent li[data-id="'+appid+'"]').addClass('appwarning'); } else { OC.Settings.Apps.addNavigation(appid); element.data('active',true); + $('#leftcontent li[data-id="'+appid+'"]').addClass('active'); element.val(t('settings','Disable')); } },'json') .fail(function() { - OC.dialogs.alert(t('settings', 'Error while enabling app'), t('core', 'Error')); + OC.Settings.Apps.showErrorMessage(t('settings', 'Error while enabling app')); + $('#leftcontent li[data-id="'+appid+'"]').data('errormsg', t('settings', 'Error while enabling app')); element.data('active',false); OC.Settings.Apps.removeNavigation(appid); element.val(t('settings','Enable')); }); - $('#leftcontent li[data-id="'+appid+'"]').addClass('active'); } }, updateApp:function(appid, element) { @@ -103,7 +117,8 @@ OC.Settings.Apps = OC.Settings.Apps || { element.val(t('settings','Updating....')); $.post(OC.filePath('settings','ajax','updateapp.php'),{appid:appid},function(result) { if(!result || result.status !== 'success') { - OC.dialogs.alert(t('settings','Error while updating app'),t('settings','Error')); + OC.Settings.Apps.showErrorMessage(t('settings','Error while updating app'),t('settings','Error')); + element.val(t('settings','Update')); } else { element.val(t('settings','Updated')); @@ -175,6 +190,10 @@ OC.Settings.Apps = OC.Settings.Apps || { } } }); + }, + showErrorMessage: function(message) { + $('#rightcontent .errormsg').show(); + $('#rightcontent .errormsg').text(message); } }; diff --git a/settings/templates/apps.php b/settings/templates/apps.php index d60fd82f917..b6b731ac9c5 100644 --- a/settings/templates/apps.php +++ b/settings/templates/apps.php @@ -41,5 +41,6 @@ print_unescaped($l->t('-licensed by '));?>

    +
    -- GitLab From db424cc86b005d2edfcfcf55ee7f5294dfffc8b6 Mon Sep 17 00:00:00 2001 From: kondou Date: Sun, 18 Aug 2013 14:49:11 +0200 Subject: [PATCH 297/415] Use appitem instead of always recreating a jquery object Also fix some wrong data storages --- settings/js/apps.js | 28 +++++++++++++--------------- 1 file changed, 13 insertions(+), 15 deletions(-) diff --git a/settings/js/apps.js b/settings/js/apps.js index e49fd21a597..0ca1b5f7719 100644 --- a/settings/js/apps.js +++ b/settings/js/apps.js @@ -60,27 +60,24 @@ OC.Settings.Apps = OC.Settings.Apps || { enableApp:function(appid, active, element) { console.log('enableApp:', appid, active, element); var appitem=$('#leftcontent li[data-id="'+appid+'"]'); - appData = appitem.data('app'); - appData.active = !active; - appitem.data('app', appData); 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.data && result.data.message) { OC.Settings.Apps.showErrorMessage(result.data.message); - $('#leftcontent li[data-id="'+appid+'"]').data('errormsg', result.data.message); + appitem.data('errormsg', result.data.message); } else { OC.Settings.Apps.showErrorMessage(t('settings', 'Error while disabling app')); - $('#leftcontent li[data-id="'+appid+'"]').data('errormsg', t('settings', 'Error while disabling app')); + appitem.data('errormsg', t('settings', 'Error while disabling app')); } element.val(t('settings','Disable')); - $('#leftcontent li[data-id="'+appid+'"]').addClass('appwarning'); + appitem.addClass('appwarning'); } else { - element.data('active',false); + appitem.data('active',false); OC.Settings.Apps.removeNavigation(appid); - $('#leftcontent li[data-id="'+appid+'"]').removeClass('active'); + appitem.removeClass('active'); element.val(t('settings','Enable')); } },'json'); @@ -89,24 +86,25 @@ OC.Settings.Apps = OC.Settings.Apps || { if(!result || result.status !== 'success') { if (result.data && result.data.message) { OC.Settings.Apps.showErrorMessage(result.data.message); - $('#leftcontent li[data-id="'+appid+'"]').data('errormsg', result.data.message); + appitem.data('errormsg', result.data.message); } else { OC.Settings.Apps.showErrorMessage(t('settings', 'Error while enabling app')); - $('#leftcontent li[data-id="'+appid+'"]').data('errormsg', t('settings', 'Error while disabling app')); + appitem.data('errormsg', t('settings', 'Error while disabling app')); } element.val(t('settings','Enable')); - $('#leftcontent li[data-id="'+appid+'"]').addClass('appwarning'); + appitem.addClass('appwarning'); } else { OC.Settings.Apps.addNavigation(appid); - element.data('active',true); - $('#leftcontent li[data-id="'+appid+'"]').addClass('active'); + appitem.data('active',true); + appitem.addClass('active'); element.val(t('settings','Disable')); } },'json') .fail(function() { OC.Settings.Apps.showErrorMessage(t('settings', 'Error while enabling app')); - $('#leftcontent li[data-id="'+appid+'"]').data('errormsg', t('settings', 'Error while enabling app')); - element.data('active',false); + appitem.data('errormsg', t('settings', 'Error while enabling app')); + appitem.data('active',false); + appitem.addClass('appwarning'); OC.Settings.Apps.removeNavigation(appid); element.val(t('settings','Enable')); }); -- GitLab From 3366bbeb8a91db9dd7f592bce8760156a23c0530 Mon Sep 17 00:00:00 2001 From: Thomas Tanghus Date: Sun, 18 Aug 2013 15:53:52 +0200 Subject: [PATCH 298/415] Port DAV groupMemberSet fix to master #4458 --- lib/connector/sabre/principal.php | 14 ++++++++------ 1 file changed, 8 insertions(+), 6 deletions(-) diff --git a/lib/connector/sabre/principal.php b/lib/connector/sabre/principal.php index 16c88b96ea6..59a96797c16 100644 --- a/lib/connector/sabre/principal.php +++ b/lib/connector/sabre/principal.php @@ -66,13 +66,13 @@ class OC_Connector_Sabre_Principal implements Sabre_DAVACL_IPrincipalBackend { */ public function getGroupMemberSet($principal) { // TODO: for now the group principal has only one member, the user itself - list($prefix, $name) = Sabre_DAV_URLUtil::splitPath($principal); - - $principal = $this->getPrincipalByPath($prefix); - if (!$principal) throw new Sabre_DAV_Exception('Principal not found'); + $principal = $this->getPrincipalByPath($principal); + if (!$principal) { + throw new Sabre_DAV_Exception('Principal not found'); + } return array( - $prefix + $principal['uri'] ); } @@ -88,7 +88,9 @@ class OC_Connector_Sabre_Principal implements Sabre_DAVACL_IPrincipalBackend { $group_membership = array(); if ($prefix == 'principals') { $principal = $this->getPrincipalByPath($principal); - if (!$principal) throw new Sabre_DAV_Exception('Principal not found'); + if (!$principal) { + throw new Sabre_DAV_Exception('Principal not found'); + } // TODO: for now the user principal has only its own groups return array( -- GitLab From 7c296a6cf915da6630422ceb8e253ebf9f004964 Mon Sep 17 00:00:00 2001 From: kondou Date: Sun, 18 Aug 2013 17:37:22 +0200 Subject: [PATCH 299/415] Move .errormsg from settings-css to .warning in core. Reusable! --- core/css/styles.css | 12 +++++++++++- settings/css/settings.css | 8 -------- settings/js/apps.js | 10 +++++----- settings/templates/apps.php | 2 +- 4 files changed, 17 insertions(+), 15 deletions(-) diff --git a/core/css/styles.css b/core/css/styles.css index becf0af9056..39121fccb23 100644 --- a/core/css/styles.css +++ b/core/css/styles.css @@ -389,7 +389,7 @@ label.infield { cursor:text !important; top:1.05em; left:.85em; } /* Warnings and errors are the same */ -.warning, .update, .error { +#body-login .warning, #body-login .update, #body-login .error { display: block; padding: 10px; color: #dd3b3b; @@ -401,6 +401,16 @@ label.infield { cursor:text !important; top:1.05em; left:.85em; } border-radius: 5px; cursor: default; } + +#body-user .warning, #body-settings .warning { + margin-top: 8px; + padding: 5px; + background: #fdd; + -webkit-border-radius: 3px; + -moz-border-radius: 3px; + border-radius: 3px; +} + .warning legend, .warning a, .error a { diff --git a/settings/css/settings.css b/settings/css/settings.css index 38c28dd33b9..d5ffe448482 100644 --- a/settings/css/settings.css +++ b/settings/css/settings.css @@ -92,14 +92,6 @@ span.version { margin-left:1em; margin-right:1em; color:#555; } .appslink { text-decoration: underline; } .score { color:#666; font-weight:bold; font-size:0.8em; } -.errormsg { - margin: 20px; - padding: 5px; - background: #fdd; - -webkit-border-radius: 3px; - -moz-border-radius: 3px; - border-radius: 3px; -} /* LOG */ #log { white-space:normal; } diff --git a/settings/js/apps.js b/settings/js/apps.js index 0ca1b5f7719..d9817aff6b6 100644 --- a/settings/js/apps.js +++ b/settings/js/apps.js @@ -51,10 +51,10 @@ OC.Settings.Apps = OC.Settings.Apps || { page.find('span.score').hide(); } if (typeof($('#leftcontent li[data-id="'+app.id+'"]').data('errormsg')) !== "undefined") { - page.find(".errormsg").show(); - page.find(".errormsg").text($('#leftcontent li[data-id="'+app.id+'"]').data('errormsg')); + page.find(".warning").show(); + page.find(".warning").text($('#leftcontent li[data-id="'+app.id+'"]').data('errormsg')); } else { - page.find(".errormsg").hide(); + page.find(".warning").hide(); } }, enableApp:function(appid, active, element) { @@ -190,8 +190,8 @@ OC.Settings.Apps = OC.Settings.Apps || { }); }, showErrorMessage: function(message) { - $('#rightcontent .errormsg').show(); - $('#rightcontent .errormsg').text(message); + $('.appinfo .warning').show(); + $('.appinfo .warning').text(message); } }; diff --git a/settings/templates/apps.php b/settings/templates/apps.php index b6b731ac9c5..0b76f775fea 100644 --- a/settings/templates/apps.php +++ b/settings/templates/apps.php @@ -41,6 +41,6 @@ print_unescaped($l->t('-licensed by '));?>

    - +
    -- GitLab From 6c518797ef64e17a20e22ee4d822ed47e0d487a3 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Sun, 18 Aug 2013 19:14:14 +0200 Subject: [PATCH 300/415] fixing require path --- apps/files_external/lib/dropbox.php | 2 +- apps/files_external/lib/smb.php | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/apps/files_external/lib/dropbox.php b/apps/files_external/lib/dropbox.php index 60f6767e319..b6deab6e5a7 100755 --- a/apps/files_external/lib/dropbox.php +++ b/apps/files_external/lib/dropbox.php @@ -22,7 +22,7 @@ namespace OC\Files\Storage; -require_once '../3rdparty/Dropbox/autoload.php'; +require_once __DIR__ . '/../3rdparty/Dropbox/autoload.php'; class Dropbox extends \OC\Files\Storage\Common { diff --git a/apps/files_external/lib/smb.php b/apps/files_external/lib/smb.php index effc0088c2b..2a177eef492 100644 --- a/apps/files_external/lib/smb.php +++ b/apps/files_external/lib/smb.php @@ -8,7 +8,7 @@ namespace OC\Files\Storage; -require_once '../3rdparty/smb4php/smb.php'; +require_once __DIR__ . '/../3rdparty/smb4php/smb.php'; class SMB extends \OC\Files\Storage\StreamWrapper{ private $password; -- GitLab From 0890a915b3269c1d9f4b082009fdaca36c66319e Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Sun, 18 Aug 2013 21:11:11 +0200 Subject: [PATCH 301/415] adding file templates for ods, odt and odp --- apps/files/appinfo/app.php | 4 +++- core/templates/filetemplates/template.odp | Bin 0 -> 12910 bytes core/templates/filetemplates/template.ods | Bin 0 -> 7130 bytes core/templates/filetemplates/template.odt | Bin 0 -> 8381 bytes 4 files changed, 3 insertions(+), 1 deletion(-) create mode 100644 core/templates/filetemplates/template.odp create mode 100644 core/templates/filetemplates/template.ods create mode 100644 core/templates/filetemplates/template.odt diff --git a/apps/files/appinfo/app.php b/apps/files/appinfo/app.php index aa839b81d18..bd3245ded3f 100644 --- a/apps/files/appinfo/app.php +++ b/apps/files/appinfo/app.php @@ -24,4 +24,6 @@ OC_Search::registerProvider('OC_Search_Provider_File'); $templateManager = OC_Helper::getFileTemplateManager(); $templateManager->registerTemplate('text/html', 'core/templates/filetemplates/template.html'); - +$templateManager->registerTemplate('application/vnd.oasis.opendocument.presentation', 'core/templates/filetemplates/template.odp'); +$templateManager->registerTemplate('application/vnd.oasis.opendocument.text', 'core/templates/filetemplates/template.odt'); +$templateManager->registerTemplate('application/vnd.oasis.opendocument.spreadsheet', 'core/templates/filetemplates/template.ods'); diff --git a/core/templates/filetemplates/template.odp b/core/templates/filetemplates/template.odp new file mode 100644 index 0000000000000000000000000000000000000000..f6371165b8280a68f3741270254ca7a8ec5b3fd5 GIT binary patch literal 12910 zcmd6NbwE_>*7wk$G)hPcNW;+GDGkz{Lk~4{cStu#2?$6F(p?hLEz%$&-5?>ngXenn zoa;I7{r-Bt2lk$sz1R9ZwV&VGYpq8~77qRa0Duets3c&Eu~C)21_A(py90U&0Ja2! zoZRg}M)vkLmL^6{mUgy47h6*%J0plCgvrhxWNT_?;tU4aIx*Qhf*{b(?=nh%0##B_ zOAg$)(b_FlO(@)`@)h@XfaS+Zi5u`jSe2`B|TRh|zSGfc59} zn$Kw$W}f~V*+Rbj$Z^ljm63#>DvQE|S4mkmwf%cU z!Uhfx5Bn<>m|OtnFDPE6E`N$2dJy(qMhQUv=$^2+*na>NFvGt#XltF)0O~il*L|J2 zC~z#zC_&Vl8ffu6?};MhvK)U!z-DIAR%1tZo5MT%(wa|HMWsNl!T0tiPbx-t%1l`q zAJ&4j%1P+zlsQ3EEi%fG}LPS-A7LS^gloajU zX7!XSUE~LO5BlU&5{@@UOs0B+4$jYkTblR6V@QQuc0a1=Ev_3rA{ZuN5C9M3P)cDudt78mb6-JU5?E5XIV$+Olv zKkSVm&E$3d_{K=g)b!Ip3eaw;Rls_hVScXKa>99gy2fsaghN0;K)K58a1|=cW%B_u zp$XcP0zFbeFZ^Abg+{1ID`%cc0K3bp_{>ZJ@JDudPRM7uiOSpSi?=4d(O+nIc`y4D zsKf3#AB;LJXi1a@8BHOppU9>#SZ@(7dpZ>ZMNJj(JX;?~*`6w? zvznsYiQU}Xd?K4XIP&FQKrWszjH1jHjYg@aa+Aw$b#*l>=>5)zN;sLpbgq#tef}j* z@W+?KGZh97CgIpmYFJ3kVC%6uvlfw`h;E0<1Ox`c!NO80WLR*x4DKjq3qCGh zXmVYfgF`|mTWfULeNjn~-dFZWT1Ms>ohb+uMZ{ADooV$v8lBqGgd%h^`?*>$7x-fk zNeY8jz-IJp_U%|h#wxiVdMRcqx#pNdRKogbju;sJsl2?rv~0uQKPZ=YlQ?s*^)&BHfjE16S8Do8V_OZA*!B_^ot^cZ)a*}I zQ}`iZP$N+)=SfCYk@B4}i3cD|Q56$W)LFtC8|HLn zZj5Jwr}^x5i@J;>8((x4SRMk7@wbC6;deV614<>+^r7k+1C<*-w>QL!I5SVrYwBp` zSYGS5T&8o`WlTzjIx=j|Hyqc3=Q_K(97rstOViXqCDF0vWM=a|Cts97xu2|d%3*1d z;ME z4}Hp~UMqK1N2^Jd5tCh@-@7NHpir*$)~vi|4|}>)D-b`jZH4z3P`2f?J&krD5WU8Y zwkBF;@HOvkAwG(q<;wnkOw0aoCSTu}M!9Y{F@Y@K@H1}Z*?D{df^Y_$4MrPS78aI5 zg-lTj&9qU`>Od&<01aA+dPOK-G}eWA#`)G+&y-6iP(c~a9o=WS-G6p=R#Sw9P!5Ol zDmoUq1BNCDOsQewiUJ+Mo;Gflk|*4YhFT7vVYH`2`gdmE#_hIaPIkyDZ{gj1*`c+8 ziEJZz{iKVCW(K+rV<53>yDy=PqbWNXKrCq)$L7a{1~8(ReDtvaqKU zfYfL=6+y&z&+(-$ADfGLE^CO9cE=Vqu{p_0HR7F5NEjrl7iUTgL?9~A`4uB(#&R=-`CXWB;JT^3e?)E9kg>2v4 zqyNUFQzg?z5V!on<|X2s2|{#oi8 z<3$Yrh&=ei8>4|_MhsFxRlSrEo?UJ1-A0EkoPk3SF5s}(<31fB0K2>IR+VPeK+WbABg zxI#G?G?2W|=Gz9P94NP_+3~m^eae-HfQ5rgiYbza>m!$Eh%L26TqSpaVzPR*V@_ae!DtXTK{^u z_K;3>6ipn3f|Am7V>lE4UA@CvHF&FYRIj3yYngPv8P}{PcsaC8?OGAUaZ@JnXUf;toTW6Q; zau%3Gud%n-ay3_Hmnz(YD4Wc1u{lxrkY0V6myXVAqCnnl_TxP$D8KjRNg}NZlV0O1 zMhtZH;o)K1J5GAtGtFE#ie=X3K!!}g#x^l9aNk?Ra_t1VE}9YWpsShJVKvB-KNN$s zcJ?XOF4PVk(6svALajq6@&dv+?(*zg^R5uIE{O)m^~CsXr={U{b#{&N-WKG5VhG5fh08x;=6a8;!EJgNa>S z#-AyWC#<1lVZpkOU0|ZAnfffCG*2dp&MH{D#_BOkyHy#3O}=ajlzhk5dSfbUi<}Rh zCG}M3HUzkq?kZorf9j0n;NXyxlY@j#G4@v0J!`%qi~3* z!o^Vx$X6WGdKvJOI>yGv_7QDuzOz-J%I3!gqSMj3xln`o^|fXWXRBccEW4m_cbHm< zIu8y8E0GPXJ)kIsMODul%HO*)6{L=ZP@}hvxcc0DEp7*ZM@vgvrd`t+Z2QJaeoZVa zGO`;^Je<=fMM{&%UKVC@@L^henNHoLeKkO|wOF5AL_`tN&k8)xYR5;Xcgx z`1n00bkXPV<_HIehqR;I$h6q0uvq_B?E2yscJkRO>UJw{&7J=uEukP@E@~L?XQ${n z_BGKN8~|{4eD}0KPDV^_U>klR=!wh)bXI0& zcHkesf3z9`wzTx--pP=Y{ejN=%Y({FF8JfA zyqi8j{_m4$X=~|ZX#^b>N05<|ouiK*jggs~k%e28m6?~7gO`={U)q0``$PBN>jH8Yk$^Z^nvi|3$H4i7cUiW(l=9KN+#CM z92r$tkc@ zg|{(Peu8X1|47qGITJzMGfB>L`3qMrG2-Z;0N8P^uk4+>Jag45k_K;_>E2tNoO$(p zXd3hAe9y9UAjj*SsqMWOiOWe<=(t(gPy3b_bR6WRNiSUKO&3Yhv~l{rc&*ml)h3k4 zP0Ad9Gm#{rUej(*{V53hLjKyOlghVFe{d?BGP!S>#ksPz)VooUrgNTNa?!K;Nx*0C zjEP=Rpr${CAuDxd18qulV|bC=rv#0(?WRe=VW1J$Xap*J+sz3rA%VAFP6k4Ufp_Cj z0Y#S(navRF&Pz>UKss z2`|da7Ju63ajWh}X!4+>k_d-{>Qs*)^hRvUUY+iT7=EGw;{I-i1SSVt?P|A)JZ~De zL?|3=6oL&2RmhYh;_};U(40kZ+4YpvS#8H3C+O?#K;BhKY=5)x%ct{f`YQZ#ZabGX z0Elxj*FX{ji?tTGP##IcrDFtX%sucE?0RIBpf}VFx+U zlfx_ce1ey_TW_X1Rh zc%yv^6x-mx%JGWm`ZgOs7dUu`BL+{bZ|ry9Y1G3R8;t-c)E@JJ1f``oahs(p?=fi& zFMl;|Y3o>5fi(p>p-0M`t9#_Yuj_?wiUz<0REpg1@fm5Qm#N(8ZTrKdLIvD2{)rsa{IOb zjf;ploM}#Yqu`=qgl-*^V0Ob09A3-Hw36dA8s_zOO~B)> z#%|pqUqFp6N|6Gf*RZ0iR#ISvT}vFdpz-R#qa4wdu?ywn`4Q^}ewzNl=nnMr?<=0v zyBQL-vCzTr_|ka+93S1xW(G6%#e_`+C^<|yZmKp)jX00-dNfL_nA#{P@yoA*1ISZ{ z*SO*BAVgqSDJtbt&McRXdzo;GQmVSs8kPJ7iMf23UNnN#{svanIF%<`-qA0kI|%gL zT%OF1Oq)}VmQ3&;35Yo%;@~{6BTM7Py>d=donmzo#E=~T?2rKno-}Q(=|*WdUuKY% zcc-GkVr)OYl4Q)^WI)f*nyJ~XFOF?n1LI*bxTa9c6b^?<;f^?fD@;UwUU z3KvLfae_=T&kayRbm^}{Dr(2<&KHRw?97YH%ORYXLq{(Y6@?Z*R3JwK(rG>`fMLD%ZWC8C%6hwH;qG5||rMT|X(_k4_1h>zl4sPLW?KHXMcW01v~{@s%{T7%rUJ}g+G+;hubC?8MYDAi&lE4Myh+PKy<}o2 zY>{jr%aX~`s7kNE;c(U6_IzUo%5JS8EyR##A&Kr6k5Z`}>~#qhPWK{A-+VXy6&0Ud zdVqodtoWS_UxKqyneXn^sLRJZ7|IsZ2I6!DXz;N5IfxBhJ@;)`w(z4}deV(WDyMd) z%zlH?=80#LgtOAn*-(QQC)!t{DoZ$hW#3b{7v|dJa@}!>OKp0{>KNO{H(>6AEVv|7 zmE2LzxZPNaqurTHai47Jnse*i$(*Ia^;-lbStMjit67LPA^@;L1pxfLO}Y=YNhWr- zPIqB{s7V^q>~PHE#%$Tws840<^UM68x>MA$L))-pT5?8rALb*BxOAt>*>>F%R9r)w zXK7uZmo>+&iww?H>f%%OH^>c$iee*E_dQ0V8hYj|9>j^imZtC!|C?iK{ zKEGnJDAMheMQFn_)O-J0Yk{YRh9de&f^ztMItmGL{jsW==Qd8J!&YXmF8j>W3EzOr zzGw|`On=B?6dV+q^#gBfE>Gy1Ls^`So6~VG zrb-)y4hGh#hIs>QI(Ks7EN5P_ovIL&W~w!6Q8Tx>JZlAg(>cf%SVFCilG??+c+6yneI%i78__!wGBS zUD->RVJScRO=a2ECUIU&$4)ZgAxEU-!%x$`Z7nxs1dIm{2T20;)MbJPtW8Zjj%Kw0 zJ3$r>{bsTvCQ=$w7A$g-UQzI6^-6jH@fY#{1(Zg7P;ptO;+P;~?d!Nu%t0i$(PybPp5)0S#4VV#W;Xv8G^n z|8|LGHB+r~&v2UI2Zc`;f`VQ;5uerrweU>jq=0;eM+upwnI(cuf=JO?3u|#Jtum8wJi~Hbf z9^nVnGvH@8Z;3}zOwC59m#l1@^ePXBY+w}4=$Kqfdfn_Bc0}MpOM0xGD=)uI`5N%z zabd$iydhUkdG2sQj3*#lmjDK$i7(y8-{jDyN!Y>2@o7XdGjdtZDVjADPdCTsf<`>% z`O-dVc1D!OE%~WLqYSzEFe>1|HqtgA`Aicuvc4E#avQW=7YL?s$t<^<&~exC<&dao zGBhy#@RsvMTYgr1CHzJ)>T}0%Ey0iiwr9H)%|ljf_YkkK2tGETx2zw3yeGAcV4bjA zLIH*x*!A|YGqZC=teEs>H*Zu*Hf=BPqHER6Bi7zHKFgO+x-do`;|^yO4K<84l}-v! z5VTl8sCd#MsPn=lqWnp*ftON+U{1L2@y;#W9T#2g=OL=V0|3<6|HMUi*+PhuyAA03 z+wrcRY{FVCR_lhw>n~MyUMdxb!}S^5eBz?m&6FLmMPq|mM;MNMk8go( zly0#PXavP&h@|s!^wy66XjNBYd1GH}{Yib?(XYpFC|NpJT8yniSOan*1Rj*{CHZ=N z)61l7mC^i_nPjZP$cvhHKM4(GpE*p~3oiiB;~MT6N`Y?{ zxM#Y>cSASUNjmMqO`R-7eZXVMmpX>q6CiQL1u=H7mTIrvHI$TPNeTrz%yo=ZRxnj= zt&+i_d|X?dm0GFu1Z7f=LFcGW2W)MfTIvK5%-(M1GXF5NnTvMFleDol8oC3jw6!Y8 z8bf4;0biI@v&ybeX$p@&dKBw7UMdOSlNj`T;G}9H@DmHdHxKQa>GDD~w86bcvC|$s z;St5gp1W%A&OTMbJe}q^=9?h3q`n&?`Ud%4?$4~C&jdHK2~H9(srhGkd_1lMi6 zv7;Tb@@3U7++*%(>k}G(adKC}e!b-;o>lJGuuaqx}eKlw4t5$avy(sL1PQyy%~BW@2p)#yH^lcwdXRTx6jYu>^M zm?KT>v>h!)J{FKzE;t>p4(5W8DZ3FQ#?Tu!qt-H@nZ$PC0IED3GibrsRDuu$Tx^Z zj+dz~mPpMIuQagund0_01op5MQcOVA-L5*9G!LaZM?*A0zWb@q0WjB~V2wkjkkose zDA5${wZ5N37@qo*mifoWOQes=bLvi9yxmX2N5D##9#iC^dCi0j?}U?gO~KXg@nNgb zv*3|ojNl@*RaIYOaw_j*niDb==g+YRh0K!mYgO<*sE{|WSCy0;9;g(ZcvLz%QfWwk zlt)!-4D@s>IZ7#fN@WVi6WPp?UY;!+w3aPI-gw`!L&|_mM0QLYQv_8>gZUNwWIYy< z-y319obLS3wsE8}%N->X+UlWz_0v9=`c1~79wz=~pEDsI{`)=Oi4 z4iH4T>QgbjUnM~T;YH7;&dxUKI7&3eFGk>gAW%{`BZ_G#@Z%5k&~6} z(w*}W#e$?vI85z6NFpUQlN3~jX#9Jyk7KkeMe}6NGw`XlAXrhx8?vB{MFs({C<#n9s6h(8YSl`pX>@WrwkwuRUV1^HLiCqta?_&xO-(G5jMD(M8KL-=){P-v3oJ;rx8 zM;}AB`J_;OZfU1XBfW?i@Xc>%A6}Gd;)0x=gLVDe>9eU=djUU@YDCc-Q{t5_loKpn zbs7wx;_*zn0H>neAl&GHipK~w21|5^u(v>2T62QYfjHhsp8#H(yS5)Loz~m=3K^n9)_dU z?>cEN6n1%>3ecQmN9s)%Fe44*Zx3(Ga3Fzk8{7tNSe~(2qsO~Ty}Nedlf|W8*sD$} zeSDBAeHTp{;R8oP!TfyW@c#~l;Z0aj70Y^E#pX?_i#&ugTB zo7_`QxXEM|_}A9f$We3mm1g>!-ok9n3+4}0eX2jR$Q6g9*H+)uuNs0t^Cq1^ml~U^ z5i{_?OCOf1FNA6Jv|`z&CUU#nv1^n;-^*yS?_70uD{wJ9` zE@}>cW5uJk?@+uzk-g9U%3tig`O^zj+U$h`dg+ViBDYRVIs5<=F=iuVD%6gkZ3&C- zpN~_S;c-F?JJT_!RK<}OLCoz%jRc0si1x6Bs$^$pfiN7b3s0Ga1?Nk!u9!nH^uIvg zGaG!rS$NfG?kcQU8^p$dM4bMi(t4i@3U26z@IM2ZI27<284T)(I~PVj|&s^ z1}!#c@s@KPmyEeLfI6DaB8IAJE^LR{ifq6(axo(6bWe-Z7t;i+-vwH#nCifm?0bhZ zd`tNDGSgdbSnX}}U|SL5x8uAV)lnj4E_EB*1n-so0RYQ-4=ScLldaQGyYS>2lK_|O zK+~mm3P69bsoItXeX~1p=LlUe7oo)Y=JRMh%nq~Jft*iLKsvqBSf9ki5>52*dChz7 z`%Ej+0^JByBm>#R-rKb6B_|~j3SJMB3qy??oeWf65@z{Z@F`2&QV%z?Oij@ifP1iGnz2`Mz&t}YQ zx~qJhZE~w5oyt&|43eBVp05t_1vnfjR+ZyN4!>|XvMU=#>&eHP*f`RDFDm#xXEe!+ z$55Ah<3OvH1S^I8ey+02nbE+d<0ub(ihy&~Pn>YB&1L$+9BG-O1pIXrPe5 z*NK0fycut*^>vuzUEs+SzG}pZ(<_dAT@L1`q~5#1O(R?hkN61JqvYIn@-P>dUCXRE zc`~0HbB9amRd%NFx_^euQi>QLD_N>Y^oy}oTREZ>VP87qM)i;QiGVIo z(>|NTpHgWC0WR{0L)A3<)Wq4qg4z3cSn}0H30zh4!K%+qE#JC(nB1l<4Km?o@#4AH zB>7Yw%GtG&EvCRXqZ~fT;Wem4bnBPRB4+wjMXtD~)F1-WmP^J;8&Rz9`2;t;~h46Jmx!VbfD|tf?2XHsgqe z&7(#4Ri_12FH|l?2O1Mawb+KRm#Qm7WfM~~U#YEPnYVAEYEPjitJ=({HHh!qUUw<_ z9322n=XoN(N*@U-&nNu^DviW!l}^88NpDcIo)Chp0Sxn zalEye(IPkz&*GJ5!se<@6DUisO$=<@+MM)WNLOmn2V)F0U&(1ART6`ZQ@S}Bhcbq( z*IlX`Xp$@9`PNs7;v?eQ^-<@=33b%&&!kP|8jioSO>eP9enRg$9%4^v>w-6L_R)q{ zFlbJfP?5SUZo8G|!#6Oxl<~A>fj5b8DHr! z3NvkMRaxC8eB`>G_S>GC=`4*;+r(%tmkYD#850mm_XJk(P*xv$NdCiU!DzEbHIaq< z8SgX=1_@h+*M{PhT8>Q=aIDVk=Qr|yCv#~d_1=#@q-}LS>QqB-#BgcQx zBl=B!&~%eIbdT--qItK$_IEA)=lV#0qXkVunu8!fQA;PVkv-%e8vDD!vA45#wuk0` zo&Q1acTF|3v4bZ2{%L4_r*&7+&kp`BjrI`QL3s&P5k_eRNgx=SVKoCmz6USMR77mM z$S|8X9^$%+rK}{MvY!;&TVHY^8ZXVX} zX7hpG*XZHPv&@bhBhudU%c$MCp@8CyEu68tzi5cLC`iT0b6yU!&T0`P82!1nbY))xT=~8iTrvdjBks zpwHniG4Q`C{>oN&A*!FH0J^q+2CV+7cPICQj_$bZXQ`q4&xQRr%=QEH$FBaLAOOJK zV*OcA>Hib-S6=(`%>UH;D~|YYaDL^vzsI>_x}U}CH#mRhy}w7gBZi-)_BTj(J^OlFaAB)p9hMpvYA literal 0 HcmV?d00001 diff --git a/core/templates/filetemplates/template.ods b/core/templates/filetemplates/template.ods new file mode 100644 index 0000000000000000000000000000000000000000..e5e8b0bed8ba03edbdcceb71649cf18bef6c23bb GIT binary patch literal 7130 zcmeHMc{r5c+aDA{c9DH6m1c&qk1g4=FNI_oGlQwwnk8$67E;-TLY9z-EZI|*79va8 zLMXCRlC9*OAyHp_-`{&(@1MVWt{KmBo_jy%zRz<$%#G-_aRUI10DwRwr}ibZN-zij z08qb_Api!2L6W@iNEjZEM!{hu6b=hMgGGRFFd~Ww!r_rv1P)HdAh9G65l=wE5JYz* zl4SmyPVKAx`lYl00QJj9(P`~Y#<*Z%C^QjFTE7J0v2It)P4#y&@iS3ab{ZP!SW^C0 z0su4sMv5FDAlcpr0HF0V)X}o`jGt_k-3bt7e{zWayZt%&=1XBc`$wA9<(Q`?J7~Vw zLv`B4@>#>lLD|{}A@Ol`yTBL!9r|x3{vXyv3SF`p{SS#$4hPDT1Q_a?>f{`D4p>|6 zjEsz{B}9F)PArrQB9cTxVcm!zPYil8&WQL{hTU&^ndjPc?V;Af&)c9EO$FY{*EvUM zV5=PuaoLTBBLrv0rMpYCh00GqshOxno}Np;P3LgX zNI}!P`@Rv5K@x2>RinP3YsemhvnbP3jj`=$;eDUyWNvvNdA^Td^4%vj6E1hHru{8* zo<~~rjr?Rs+VM{;Bqf7SMOmX(R$7v7e>eHjCAuiM{p_I}MxwS}o6>A@35^lAkEb%D zuDaE1z+9>SO||6iC4qi6bzPgVR;i2N0}ZdccP5T^{V+UOB9hNNYwWl#N*^4f)hq^D2RwGoF(6wJi~2!y(t zNnZ1|Aed(QxJSuxaCw&-1%tYaG;`bsK%59{&yX!b<+{$80%XfuE(H&(~k}^K# zc|u6`@ge7Xk9{lkI|iImAeY`v@@eRr-jzV?V{*S-CpI=0!bZOC-Sec9|3SS<`0=m% z`nj$(`7e|y$%@xH(C!m5V`+XqbHK9fHl2r1Lzp3NuwgNW7)WY>TT17^J}ik#N}4Wo zD1E=|UKp+AvyVjI7Y{u?>RY<1A+6_Wv8Zq+X+hm zunimfc_}!Qu*#Lw~Pxv*0aTA_bZlLRlJwD z+^RFf_cB*>!Q8SsS7ItNC`x|Ggpq$#+gMEqq|bMe7BN%I5B?MwUd;h>L_CXWHK%!R zxw3CMd*UsNLxav!?0G#&L6HOt)7moDd!^fE3-9n|MqE2ab6J|N=4(tH?M%Q-`9W?Q zCu`v!f!jM}Sh|+<0u~Ioy)enf56z?7(w0YfVjRBC;64eM8!<2zY4WyY(g6S(f&jqZ zOPrZf;&2?6MBM@@6+UERg6mdhe>9ydW9^KShnLfEVkR7e6C++KI!r{T>nYk>avRj= zubd5h6S)65VH@|p6OpL38GWRE2AL}AzX6JX>$QFyJ^f4?2 zTpjp4VKqO~sg+s6F*GPIK$^&XIF;!gnBGO#JJj2&|Mq)m^H&p3%tbn`sznoJ zw}^S3j2U0z$o%B^~DV5`mzNlRJ}hd!*Pk6t!(pb zL7T5}Hj#hd!_#MBGov-UW~aJ{-Ku+@>jyebCaFduZITV#bWdM%=8C-Fw^ZX?^sc=| zVrPyk9v^_L&zS!0XbMJv;V%Uy4t5lAlEAbzqH-`P>6SAhrR?$ILb2=pBc(& z>;H-y>j--6i1#Z})$JIAbdfyVU(4N?yDT_u86n3iNe7zzm>GBJkyrco`HGIZf+tn{ z^gR>O(&pjH51@BBX9`V!AkvD?JM{CzAp#fYJo7KmGW%nYr(lx+3#R9%KMBTi3`C7! zPTn3+{gzQ?B3*5qOv-0{13nEoj+izd6Iq_ z6y_!xrySm8S71|ffu~XZ5gxRO%0*!si3m*-mUdcqr*JAoC z(^9M5d5fT`32uCqsJww6v`pv=EV$SkUvk&Gw_Zs0ARj zFM-wDKg5?CcaD}?);nQojER)8KFaoQWlenxC6c_*$klzj*RB`at;k*3XT`{5Uibu2 zZ(9Bon|&f%8kz*WT-2>DVF9r@LaFNzpVHwjt4YH%23HEt2|esBOF@O{4SKL@o*NdN zc~M$f`ZBIq>ae9FdU;5ER^75zEm^nd>v^AfwUQZJ%5;v`&DK~nr?8F6erwUTaE?*` z(_%_r2itRX@&;@zOZVeV2lbu`I7U?SW8RKjx4S1S`|9IO0etuIa8-p4Texb`!kHiS z^gTtU+cX*!+HIQ)F^My!&paZw?`LyKjInJIzN)Hsb>9AbhIOgd2wwRhYYa08Qg|Y_ z<3$6sIdW+Y|rWYa$^J8lFce%2rrCLj_95fAhJt%yHbw-y@o%f>gCzQ!q5S@Iq zeWPdZS=;m-hNqw2Osw_B8pQdsxm3sE2KMYy<|^sgp618N5qwy}%8Z7;;uFN+u60SX z`p&_nNM+5s6eAaR_aM_dp7lyBympu5Voic}2YDUcNAo>#d1BsS8~$#8%Iz?E__FPb zz=Q;p;M*&=9oc%vPF)W#{}LkPuKz8k_YFALXwLYp$0z`lBeTs*Xh}V+Lv5&# z(LLFK{>+ZXyAh(5cJ8$qUpQLKlH$eod5iNRgn2=$scR@F8LQz-s-0#>&$Bft=_F>1mZo+-GN$hZCe~?d z=Xtr^VUpvwKTm&xX9vfpcI|_D1ii=|FZ}nGl|GAp&lR+HyfNjYN8f2>_M4MQ{s9#R z8pq<>q%vRgw9oo2H$WYZ)}%SHXFE--Bs@`04fnA&V)U;IJ~VS=#792Oqg`dTb=xV~ zk?@#1kJlE{8z?L?X0U7=h(6z7ZyQCpT`J=%B z&t*q}C!=Yjxiw;jZ%&2Y)KBR7#A^5+lj>nw=Vl0=f&{$+1^0Y*Zi zpAeUSnfg-%L%C{iM?zi{krEW%GoP4k0PA%lA8Spk9-FUik?4u3%c_Lz=^ zO4sO?ROBC1K9^g5Sv*f_L053>ylKKNTJMN!EHj7)uX8oSD=i;QHJz0AI;Oy-a^uw{ zH8RZA+y~kr^>EyIFeqzOzvE-gK>niB6k}#fOJifB!Wf&P1k&uH;~<%D5^1uB^yqmN z+2+)TW9N0ytuV{KaPEE6?9TKZ zXYagySHqui*9Bv+{M}tt$1UwuSZ4COv1a}7x*JUV3Jgrffoy3!An=7x2W+dqSu!5I z^SI^#EZM(hK5-ArL=7HZDKwh*eRSsAN<_UjCdmsN+&-@OK=@l|1l#ovRsIz^>sdDH zw$KrO>q_5t0N@G#`nK>36LJ5L`jLV`P`|5~2$BS&zUrxIQhr3wAPGbYDxxkf3z88R zMPlJN1m(1+E`HQn52!4zsllX%b9F_*kA_=RJ7^7SWNVC=D1eOCSNE)NCWKSnsWkn}NdC^S|o$v%4RTo%JK?Wl$ zd6fzHg{g`#BjaP6qTI+7_b6E-LclOMC9*Yd z!EiEx@bgqeM>#+-P-_Q3#qy~1J4CoPw)RV@zkjGD;c#d?42wjA|8H{CsUQ zqnz&kVULnOHv*FQzerNS%s&%A_4MEEiEJT-!ob{+MDSr02?N6u|Hav@l7q+L$#_Z; zlmA6-D_337ILa#jx72JUMK!b$;8vg)4<$eoU283%p{X7i1H+g<( zqj_oZDgXN!I}|39TPu^k0rcXzcd%5apIkX-n5Gz)Zk*MA>-z0JAHIUFgbTT*VRgFb z+ALoVo}}ydYbrTJ0_T@ZCW^95WJaK(?Zrv_OJP$ei6eSKJ5^fUX~SHz;I!yeAWhg; zkBZ6zy#;ap4?A=28Rim&$C5Rj_L6KWaw7-e5^p%`NP@O{*K2}QoD)P(fL26{zTk2M64;7 zf5YF`wXDzSX8eN+WNwf)#na8O=AV+Ak62WEWP|oH{DzkNDY$tPrk=nyXqj@maUNTj z``Z@1A;--@`6mXYy-_#pb*c3Lsa)&*h}z6HNR%=Ie^&NiTHCtPbyqf&007i#-5`%G zlx}Wpzt8-J+@E@Kx6re>(fwTywbgCV@D_T0Z+w5(MC}Y4Bt|LuKhw3*2>-5y+6p(w zW(zIkF&I$lf0{|6q2eq8qW$45J z008kzr~-H*J>mEOFF3@@3x$M2@JI|A6(J&0u#}kgm1MzTwy!kI+ zd{@*%GDrac;+K;EW{vRibVWmuC>#jCdkOSHyT_QD>e171(-2hX4fM4w3IEjq011Ga zUr^d z_x_%!eB0BQQ7P7t$+8PFNK7#;s{hH^dh1ltYS4}3Pm7}r_G@}>Jfz#9L%s(Nh&<;3 z<*%sBef<(TQdyhBI+DiKS)Dm|BWp|@WAQuDYC zw4g*Nn$V*ypYqdcEcZ*~7*04?SaV+oo>}@5b1~=D;%8-NCA)O$<0iNPV|0~6-ZMN{ zr)iW%RPxRQC$o8qfM~{K*Y#)J)O_VhirKe%p|wfRb?c>)dAXN9WR;9AAAKNLb342* z;kf+MYUal8>!ygnK(VUM)ZtPp>?)f|xb$W~pz>fuVsTIa3S`~-0lbmHJU)A-)Uo&~ z6OY^zzR8JD-Idx%G_aYcg-@36!~<$E`vm!^lUHfEU+GdaQH*_+@uZ!kYGz<+7teGo z&yTzlrlJCTnrRSBzV^9^!fp`a6BoB)z^S~z0kbc?bcW0-pV9cq;QbdhzLs?NYVYx1 zlh9gl5Pxz-01<+Caf)M9v+0GDZ_7(%2U?UW{XlUu%0k5vu~Vs5Ni; zZfBiQ9w8&RlnB&_G$=*QzM-}$c6mwDUD(LUY z>!tez%t&D&omqJ&$b#gMlG++%Z&qf<=`0!zPVdLJG15F;+}8ef2|?GNo~o!;5>TxC38 z-$T0@RGs|o3j-Y&XZ%UNBZpUYgn_T`_z(FRxY1thkdso2QS8MQK{*a3;!ToO)6!qDq-6Uc+m2^d3b|%*$K; zoko`T4IFcW&RCBy3!xVAEla(&GX^F(B>_sf74$su?h?9C^QXCqRZ!P zQwCLBSCP2NDOs;ddBt*8p6>GF>CO9@xC+J_-EJ)09#F5BA5v3Yq9tOqnlIRjwjlVU z;uXYb%&N`SzKXKh)C;-F$l1S^E$e6r#cK0@66$N^Vo!#)NcoM|8Wz<0rGCNTO71e} zDxb?ei`e?MUU7*c(d^1=6w?6r1ll_t?5X}<^dFQYzLUh`Ei z#rM`p_^E(IMkUSR7Xp3H!jq;i=X}L+ZJQu6G859U`O)~`4YMMoe)gymia;>0h>i5j90{#Q<9CMX zC6C;D^j}0X+$sX1kPS4Z$(^><$E@hU20E)l_A_m*oz3thir4nyL({&IQ^!p7FG|>A z9J6Oei|QKTy3>s-gOf$932~Yh!*AxJ^hLhdkzR`So=2&v9$R;o8VCu=vTWxz%uf1- z=j*bpSBVgBHG<2OztRsIvVujkglfB#3e%{lP{wW??V*Y(&WxF2+-+vO^7kjbSA&?BlNX3-%!U>g#lW5bsi~0P1m(`jBjRW7&L_EKf7z~7WdlK`Lzn2 zNZOG%HhJXdTFSOP(#%-p9M@AXG-seG0&hQ;VXjgx32Jn$2l51G`|EvAQ#34n%pAJ0 zcIx^BMtXIoWZ3{!#I@Xs(hu9@sygetiZkq&=cfinA3U3u(-Fs7ATAW0Ox`C`lW`6v zS9ocIMd(h+MSC0DYo-W$krJN1Fje8x;(6yZUD;0_SfBNI{>DfFVFai&N#oE?o2#ji z59)q306xv?!~Np;^nkc$Gpc;{(P`>$%(|y$=g;Q|C>BukQ_*n*b;=gpO>($A%eDde z9OrZZ+RDfmlrrv}H=yyD+Zs*H8*Nlfwo!dC@zvw2Sk48JH+GtaH@{phGR|f5nNlen zwnI#B$lkPw&^Z`4NHwP%olm|daDFrnoc>vfSbs0W_@zZ_!K+BoI8UPf!}n> zIJTG?TPyG5l(G`J)*um3eNG;A^+5Vz4s}T&mui4%=Els>xyIPKppnYt^l!|gT}Ff6 zhb^zLD;^F8J2{!IV&y_04K9_%p<0KU49T~8SW#=JV-(#XH|pqRgN#S2sI{b(DEu61 zIL$f}`8^-6(+!t2%JVTuC!cmXTwF|+{P>hy>7~G<+<~RAyO+1mmTnC21ZHptaHwqR zz6)HFlNt@kUy`1sD-Lrs?1RE))a|>`%R^)?dINd4co#ag>2mT&bjAEtsxQZxO(kV| z(yDthn6~Creqea=Y9S=A?0IzSCwq?(H>oHUYPBTtWz(AHjc*QrNKxQH6gtn1epgD5 zZfAbZyTDI2W3@;Q7q(eWVV`T#A@iZ@jnM~TXciFl7bfThm#x71O3g14oyIx)JHIhs zj^dIZVP>XSCHV;!*Tny z@BB}Q`UdHn>5MJQeT6?YyrBAJ=R2$P=3hVBYG7UHzSI=lz}4~~fBh^GfKL)lv-l#| zTj3>Rh#{4SoM@xc+cS5V z(!8i4Bk5Yr>)r~gGvB}D%|4if&3`n#m%#coBOE`hF6JcEe^TnE+xp2y)qzZ7Si+L;12pAuNv;Blunl0p-e-W z5%}3C8hbNlYoz~Ryk~3?gQnIK>T!4Qq{7;_XKaH<0qRlruazG>RhvmGB4y)b9$AD= z$daf|d|UPUw2`0rbIN#?{Eri1p32vG)sCMTNWZfT;_;v~Fcj-?tvt)JtaZCpWhRf0 zM3}DOO$_@p0Hf(g+z69V*5%9LGjZ~Mb|*G!lR9*xF0m;A1&VX-4XRaxtUrlS)2@L& z94a}#`OY?rxnwfDOK)E575!CO521Bs;WL`?aG@K|Y#BWaIC8PUS#{>0WNwJ5@@^$A zp5G=R?gi-YTJ$}q0sv-?{@Y%Fj<^?qI4&E>#V<#qYliXw{B)l zfQYgj6cr*lQOTb&n#6xyPweVWw-GmW(m=+q4k{^? z28aoS(B01-5A2;r&yIfU-<+l_w0fr{q^`!Gk$I64I?o)US!Oh@kC_atNTP>jzKw<* zo{wJP;S7KIXwZKfFXWx(H6S$ZKUR;pt| zHec6+>@IwH^Q1n3GWmp3*$d$9h3yFg_L+?ER-o^cJURLS7x@OAcgdGjE; zw`{8<_mKOh(uWacwWZ3pZ@;!d2K8{K7!C`>X}I^y(5F>&V`~0U9n1%_DHKVZ}3~{rs^<_4NseAg=E@g`wq>e(_1zT z;FloR*FT*kmI9%K4y5IE1y&#e1)QFhUetmY1WzDl`Qzt!`6?}q}E#`b$3L@zx zuH28eisc)be5AaHv=wLP@)2{}EA8bnWJlS$EXd30SNlCa=1`I7zwJsrUj~5<*1+xn zj+++=dDz<>5SDF0k{%;{VZ#~U*g9raRwbuCo9WJd2RL?0rux&Zpz>+s>k&Y^(RKZU z6D;lqI8g4C7irAq5w$>W!gGWBpn#A11rn>0&3yl~+rXoTLc^QOBnHUX?>}|#5|xD7 zSe;bHdaz_3VekG}x8%J{_cY6tD?SJ~c*OSN>H}!BgSC$o-3Wt8pWz{)^Qe~cLG0B-Z8>AFw zNH% zrCdb`wNFAJDiY zg{j)d7j*BwDuSE#mt0pL5FHd;YuqGn0(x(fiSdbsFwKe$GAny5^kmZ*I2yf3QeD;( z@V8hmTD<6UcL;y(pesZA*Cj=o43gWk5u6DA42ht;i0?30Yv%m6&DWEfnlt z*OLT0J=ZaGjoRonUSxfztzM~{sY=J?^~5UyS#J5Mqz0IfR$9FhPu7^@F*0y>+{T+y zT|>E_Wc^eGrGZj{0&p}G10!&^ilB|PuH*?pHB}mAjGG%03J32d z0woCL2}m10d+ig4{tc2p%Hoi-h|L z2@3r5<35MW2&(RSm)H$e<(4QYUBxQcOZx2rS=XwAWy`uV0=^tP2RR2A5 zLfkERLeNMzI1UfQ!rZ!(yU~$SOy}M!N5OlB)j<>#Sn-Yr9=VOjqwOg`tCf@7b zEpFag%zZw6M^|<-zA9@O!uurlZc&r99Q24thd!cuK>}P0e2_l|9v!ZcIF!k^;t`pj zd-S0n`lzCFT9l*$9jdqTy10MlnzGp=!KN1{y!GkYtKz8-@L$qIew+#BR_vKN;AUrm ze|s$<;In{A>^Qji+Fcq*jb+{W8iB-c^-BkgJI>)Fc^{e@waKQfStvH;El)jmsT+vA zuI%zbBEENc;sRa4tkbKy@^_~qCxcTFf$yM!J_BtllR_yj*)s3U7HgFPw&%8hz1v(< zWmUe~DD|Ej?q3t;s#Xu#=#>%Ktm-qOpMnGch$L{<-`z(%#n8f_-H`4+gxMvmdz=gi z0)-MdVP~>IP#-MzX9|~$07FG&KLGL2fha#>ZxK*K)&V)v)6x}h)xp87Y}{K<;g(B1(5l)h&p4A4Z!T0_#nR2TG5d=VZwrPiJ3 z76GP5a}vkyq~>)OYkFggo`dw&&Q4WFlG8?rT->fd;lXb+d(<{$?D0|;HM@Lma^(wV zR~deuPtCaw6h$Ft$}z)_x9URSwaXsUteFf4pBkB`DjE+}K@_jAAH5=Mp{So!wN6t0 z5v-)1q_(nJg71DuS2E&jGrkUn<^k8d@8{K`Jo#ApxJ3)}(Qv9#i{tbp+y$EDx)MjF zyj#<9>DPjCvtMZ&cdeAG!9K@y3=7X6Ts`~!9M!Znqw7+ysA5nVVG}pHTKK=v^^R9MnY8vl}kn=u>QO0DTTS z$*6ih#k;Dp^7YrN5Z1{H&S8z8cCx*(rwR?Z2|=eyPK*u`QdYp<4-N?)-Y2`qh`(F? zenPlsVnVq5+j-$G%I?(e&q5PVX7+@KKo8KpbDG}`_rJ0dlhk`+K)F9<{kz@%y%dq6 z_r!+b*Vo%!%Uv4zeXq4=xz0kMdcs43xbxbz+8yA2w)?fcNRD405Wiaz@plQ0$cB5; zObDIdso^i&xC^>Fh&>PhfEez3!o~HUp!=Ee*EO?e_dAZoA8__F<==6LT)8JPf57>b zIscACq?SEt`2!MhWIu@J?v=zs5V?3yMhPf?WM*?C3PMN%0L+As7lD5ib|(6N0AJ7tAOHXW literal 0 HcmV?d00001 -- GitLab From 89c928c3bef9a44135b18b83deb61dac87bd5d6d Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?J=C3=B6rn=20Friedrich=20Dreyer?= Date: Mon, 19 Aug 2013 11:09:55 +0200 Subject: [PATCH 302/415] replace ' ' with '%20' in urls for curl --- apps/files_external/lib/webdav.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/apps/files_external/lib/webdav.php b/apps/files_external/lib/webdav.php index f98be318f1c..74a323af286 100644 --- a/apps/files_external/lib/webdav.php +++ b/apps/files_external/lib/webdav.php @@ -171,7 +171,7 @@ class DAV extends \OC\Files\Storage\Common{ $curl = curl_init(); $fp = fopen('php://temp', 'r+'); curl_setopt($curl, CURLOPT_USERPWD, $this->user.':'.$this->password); - curl_setopt($curl, CURLOPT_URL, $this->createBaseUri().$path); + curl_setopt($curl, CURLOPT_URL, $this->createBaseUri().str_replace(' ', '%20', $path)); curl_setopt($curl, CURLOPT_FILE, $fp); curl_setopt($curl, CURLOPT_FOLLOWLOCATION, true); @@ -256,7 +256,7 @@ class DAV extends \OC\Files\Storage\Common{ $curl = curl_init(); curl_setopt($curl, CURLOPT_USERPWD, $this->user.':'.$this->password); - curl_setopt($curl, CURLOPT_URL, $this->createBaseUri().$target); + curl_setopt($curl, CURLOPT_URL, $this->createBaseUri().str_replace(' ', '%20', $target)); curl_setopt($curl, CURLOPT_BINARYTRANSFER, true); curl_setopt($curl, CURLOPT_INFILE, $source); // file pointer curl_setopt($curl, CURLOPT_INFILESIZE, filesize($path)); -- GitLab From 0f7fad7166a97a1767a72d6a288027aaffeb65fb Mon Sep 17 00:00:00 2001 From: Arthur Schiwon Date: Sun, 18 Aug 2013 17:30:16 +0200 Subject: [PATCH 303/415] return only existing users in group --- lib/group/group.php | 15 ++++++++++++--- 1 file changed, 12 insertions(+), 3 deletions(-) diff --git a/lib/group/group.php b/lib/group/group.php index a752c4311c1..c4ca7f1c0eb 100644 --- a/lib/group/group.php +++ b/lib/group/group.php @@ -75,7 +75,10 @@ class Group { } foreach ($userIds as $userId) { - $users[] = $this->userManager->get($userId); + $user = $this->userManager->get($userId); + if(!is_null($user)) { + $users[$userId] = $user; + } } $this->users = $users; return $users; @@ -173,7 +176,10 @@ class Group { $offset -= count($userIds); } foreach ($userIds as $userId) { - $users[$userId] = $this->userManager->get($userId); + $user = $this->userManager->get($userId); + if(!is_null($user)) { + $users[$userId] = $user; + } } if (!is_null($limit) and $limit <= 0) { return array_values($users); @@ -205,7 +211,10 @@ class Group { $offset -= count($userIds); } foreach ($userIds as $userId) { - $users[$userId] = $this->userManager->get($userId); + $user = $this->userManager->get($userId); + if(!is_null($user)) { + $users[$userId] = $user; + } } if (!is_null($limit) and $limit <= 0) { return array_values($users); -- GitLab From c5402f457530577999d1adc1715c76e742ad8aa9 Mon Sep 17 00:00:00 2001 From: Robin Appelman Date: Mon, 19 Aug 2013 12:04:53 +0200 Subject: [PATCH 304/415] use strict equals in readdir loops to prevent issues with '0' files --- apps/files_external/lib/amazons3.php | 4 ++-- apps/files_external/lib/google.php | 2 +- apps/files_external/lib/irods.php | 2 +- apps/files_external/lib/smb.php | 2 +- apps/files_trashbin/index.php | 2 +- lib/app.php | 2 +- lib/archive.php | 2 +- lib/cache/file.php | 4 ++-- lib/cache/fileglobal.php | 4 ++-- lib/connector/sabre/objecttree.php | 2 +- lib/files/cache/scanner.php | 2 +- lib/files/storage/common.php | 6 +++--- lib/files/view.php | 2 +- lib/installer.php | 2 +- 14 files changed, 19 insertions(+), 19 deletions(-) diff --git a/apps/files_external/lib/amazons3.php b/apps/files_external/lib/amazons3.php index 9363a350e27..2d7bcd4ac37 100644 --- a/apps/files_external/lib/amazons3.php +++ b/apps/files_external/lib/amazons3.php @@ -183,7 +183,7 @@ class AmazonS3 extends \OC\Files\Storage\Common { } $dh = $this->opendir($path); - while ($file = readdir($dh)) { + while (($file = readdir($dh)) !== false) { if ($file === '.' || $file === '..') { continue; } @@ -464,7 +464,7 @@ class AmazonS3 extends \OC\Files\Storage\Common { } $dh = $this->opendir($path1); - while ($file = readdir($dh)) { + while (($file = readdir($dh)) !== false) { if ($file === '.' || $file === '..') { continue; } diff --git a/apps/files_external/lib/google.php b/apps/files_external/lib/google.php index e6cdacdec4f..b27b9ae3f32 100644 --- a/apps/files_external/lib/google.php +++ b/apps/files_external/lib/google.php @@ -206,7 +206,7 @@ class Google extends \OC\Files\Storage\Common { public function rmdir($path) { if (trim($path, '/') === '') { $dir = $this->opendir($path); - while ($file = readdir($dir)) { + while (($file = readdir($dh)) !== false) { if (!\OC\Files\Filesystem::isIgnoredDir($file)) { if (!$this->unlink($path.'/'.$file)) { return false; diff --git a/apps/files_external/lib/irods.php b/apps/files_external/lib/irods.php index a343ac5fb27..7ec3b3a0cfc 100644 --- a/apps/files_external/lib/irods.php +++ b/apps/files_external/lib/irods.php @@ -137,7 +137,7 @@ class iRODS extends \OC\Files\Storage\StreamWrapper{ private function collectionMTime($path) { $dh = $this->opendir($path); $lastCTime = $this->filemtime($path); - while ($file = readdir($dh)) { + while (($file = readdir($dh)) !== false) { if ($file != '.' and $file != '..') { $time = $this->filemtime($file); if ($time > $lastCTime) { diff --git a/apps/files_external/lib/smb.php b/apps/files_external/lib/smb.php index 81a6c956385..dc4e02731f1 100644 --- a/apps/files_external/lib/smb.php +++ b/apps/files_external/lib/smb.php @@ -99,7 +99,7 @@ class SMB extends \OC\Files\Storage\StreamWrapper{ private function shareMTime() { $dh=$this->opendir(''); $lastCtime=0; - while($file=readdir($dh)) { + while (($file = readdir($dh)) !== false) { if ($file!='.' and $file!='..') { $ctime=$this->filemtime($file); if ($ctime>$lastCtime) { diff --git a/apps/files_trashbin/index.php b/apps/files_trashbin/index.php index 2dbaefe7a78..27f8407db06 100644 --- a/apps/files_trashbin/index.php +++ b/apps/files_trashbin/index.php @@ -23,7 +23,7 @@ if ($dir) { $dirlisting = true; $dirContent = $view->opendir($dir); $i = 0; - while($entryName = readdir($dirContent)) { + while(($entryName = readdir($dirContent)) !== false) { if (!\OC\Files\Filesystem::isIgnoredDir($entryName)) { $pos = strpos($dir.'/', '/', 1); $tmp = substr($dir, 0, $pos); diff --git a/lib/app.php b/lib/app.php index 5fa650044f3..f76b92cde1b 100644 --- a/lib/app.php +++ b/lib/app.php @@ -666,7 +666,7 @@ class OC_App{ } $dh = opendir( $apps_dir['path'] ); - while( $file = readdir( $dh ) ) { + while (($file = readdir($dh)) !== false) { if ($file[0] != '.' and is_file($apps_dir['path'].'/'.$file.'/appinfo/app.php')) { diff --git a/lib/archive.php b/lib/archive.php index 70615db714e..364cd5a74a1 100644 --- a/lib/archive.php +++ b/lib/archive.php @@ -121,7 +121,7 @@ abstract class OC_Archive{ function addRecursive($path, $source) { if($dh=opendir($source)) { $this->addFolder($path); - while($file=readdir($dh)) { + while (($file = readdir($dh)) !== false) { if($file=='.' or $file=='..') { continue; } diff --git a/lib/cache/file.php b/lib/cache/file.php index ba3dedaf8f3..9fee6034a71 100644 --- a/lib/cache/file.php +++ b/lib/cache/file.php @@ -80,7 +80,7 @@ class OC_Cache_File{ $storage = $this->getStorage(); if($storage and $storage->is_dir('/')) { $dh=$storage->opendir('/'); - while($file=readdir($dh)) { + while (($file = readdir($dh)) !== false) { if($file!='.' and $file!='..' and ($prefix==='' || strpos($file, $prefix) === 0)) { $storage->unlink('/'.$file); } @@ -94,7 +94,7 @@ class OC_Cache_File{ if($storage and $storage->is_dir('/')) { $now = time(); $dh=$storage->opendir('/'); - while($file=readdir($dh)) { + while (($file = readdir($dh)) !== false) { if($file!='.' and $file!='..') { $mtime = $storage->filemtime('/'.$file); if ($mtime < $now) { diff --git a/lib/cache/fileglobal.php b/lib/cache/fileglobal.php index 6d01964e185..2fbd8ca3edb 100644 --- a/lib/cache/fileglobal.php +++ b/lib/cache/fileglobal.php @@ -69,7 +69,7 @@ class OC_Cache_FileGlobal{ $prefix = $this->fixKey($prefix); if($cache_dir and is_dir($cache_dir)) { $dh=opendir($cache_dir); - while($file=readdir($dh)) { + while (($file = readdir($dh)) !== false) { if($file!='.' and $file!='..' and ($prefix==='' || strpos($file, $prefix) === 0)) { unlink($cache_dir.$file); } @@ -88,7 +88,7 @@ class OC_Cache_FileGlobal{ $cache_dir = self::getCacheDir(); if($cache_dir and is_dir($cache_dir)) { $dh=opendir($cache_dir); - while($file=readdir($dh)) { + while (($file = readdir($dh)) !== false) { if($file!='.' and $file!='..') { $mtime = filemtime($cache_dir.$file); if ($mtime < $now) { diff --git a/lib/connector/sabre/objecttree.php b/lib/connector/sabre/objecttree.php index c4ddcbecbb8..b298813a202 100644 --- a/lib/connector/sabre/objecttree.php +++ b/lib/connector/sabre/objecttree.php @@ -88,7 +88,7 @@ class ObjectTree extends \Sabre_DAV_ObjectTree { } else { Filesystem::mkdir($destination); $dh = Filesystem::opendir($source); - while ($subnode = readdir($dh)) { + while (($subnode = readdir($dh)) !== false) { if ($subnode == '.' || $subnode == '..') continue; $this->copy($source . '/' . $subnode, $destination . '/' . $subnode); diff --git a/lib/files/cache/scanner.php b/lib/files/cache/scanner.php index 597eabecf54..87fa7c1365a 100644 --- a/lib/files/cache/scanner.php +++ b/lib/files/cache/scanner.php @@ -159,7 +159,7 @@ class Scanner extends BasicEmitter { $newChildren = array(); if ($this->storage->is_dir($path) && ($dh = $this->storage->opendir($path))) { \OC_DB::beginTransaction(); - while ($file = readdir($dh)) { + while (($file = readdir($dh)) !== false) { $child = ($path) ? $path . '/' . $file : $file; if (!Filesystem::isIgnoredDir($file)) { $newChildren[] = $file; diff --git a/lib/files/storage/common.php b/lib/files/storage/common.php index 3da13ac4df0..1a273240eeb 100644 --- a/lib/files/storage/common.php +++ b/lib/files/storage/common.php @@ -142,7 +142,7 @@ abstract class Common implements \OC\Files\Storage\Storage { return false; } else { $directoryHandle = $this->opendir($directory); - while ($contents = readdir($directoryHandle)) { + while (($contents = readdir($directoryHandle)) !== false) { if (!\OC\Files\Filesystem::isIgnoredDir($contents)) { $path = $directory . '/' . $contents; if ($this->is_dir($path)) { @@ -225,7 +225,7 @@ abstract class Common implements \OC\Files\Storage\Storage { private function addLocalFolder($path, $target) { if ($dh = $this->opendir($path)) { - while ($file = readdir($dh)) { + while (($file = readdir($dh)) !== false) { if ($file !== '.' and $file !== '..') { if ($this->is_dir($path . '/' . $file)) { mkdir($target . '/' . $file); @@ -243,7 +243,7 @@ abstract class Common implements \OC\Files\Storage\Storage { $files = array(); $dh = $this->opendir($dir); if ($dh) { - while ($item = readdir($dh)) { + while (($item = readdir($dh)) !== false) { if ($item == '.' || $item == '..') continue; if (strstr(strtolower($item), strtolower($query)) !== false) { $files[] = $dir . '/' . $item; diff --git a/lib/files/view.php b/lib/files/view.php index c9727fe4984..bb737f19ef8 100644 --- a/lib/files/view.php +++ b/lib/files/view.php @@ -499,7 +499,7 @@ class View { } else { if ($this->is_dir($path1) && ($dh = $this->opendir($path1))) { $result = $this->mkdir($path2); - while ($file = readdir($dh)) { + while (($file = readdir($dh)) !== false) { if (!Filesystem::isIgnoredDir($file)) { $result = $this->copy($path1 . '/' . $file, $path2 . '/' . $file); } diff --git a/lib/installer.php b/lib/installer.php index dcd29f9e1ad..c29f9ec8982 100644 --- a/lib/installer.php +++ b/lib/installer.php @@ -109,7 +109,7 @@ class OC_Installer{ if(!is_file($extractDir.'/appinfo/info.xml')) { //try to find it in a subdir $dh=opendir($extractDir); - while($folder=readdir($dh)) { + while (($folder = readdir($dh)) !== false) { if($folder[0]!='.' and is_dir($extractDir.'/'.$folder)) { if(is_file($extractDir.'/'.$folder.'/appinfo/info.xml')) { $extractDir.='/'.$folder; -- GitLab From 48f0c54261bfa2d2f20864b0d41db8f1df6f1777 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Mon, 19 Aug 2013 12:16:55 +0200 Subject: [PATCH 305/415] style fixes for preview lib --- apps/files/templates/part.list.php | 3 +- config/config.sample.php | 2 + core/ajax/preview.php | 9 ++- lib/preview.php | 76 +++++++++---------- lib/preview/{images.php => image.php} | 0 .../{libreoffice-cl.php => office-cl.php} | 9 ++- .../{msoffice.php => office-fallback.php} | 0 lib/preview/office.php | 4 +- 8 files changed, 55 insertions(+), 48 deletions(-) rename lib/preview/{images.php => image.php} (100%) rename lib/preview/{libreoffice-cl.php => office-cl.php} (88%) rename lib/preview/{msoffice.php => office-fallback.php} (100%) diff --git a/apps/files/templates/part.list.php b/apps/files/templates/part.list.php index 1ed8e0cf91b..899fb04e252 100644 --- a/apps/files/templates/part.list.php +++ b/apps/files/templates/part.list.php @@ -3,7 +3,8 @@ $totaldirs = 0; $totalsize = 0; ?> 6 + //strlen('files/') => 6 + $relativePath = substr($file['path'], 6); $totalsize += $file['size']; if ($file['type'] === 'dir') { $totaldirs++; diff --git a/config/config.sample.php b/config/config.sample.php index 86bc20b714e..5c40078c7d7 100644 --- a/config/config.sample.php +++ b/config/config.sample.php @@ -199,6 +199,8 @@ $CONFIG = array( 'preview_max_scale_factor' => 10, /* custom path for libreoffice / openoffice binary */ 'preview_libreoffice_path' => '/usr/bin/libreoffice', +/* cl parameters for libreoffice / openoffice */ +'preview_office_cl_parameters' => '', // date format to be used while writing to the owncloud logfile 'logdateformat' => 'F d, Y H:i:s', ); diff --git a/core/ajax/preview.php b/core/ajax/preview.php index 486155831d7..af0f0493f4c 100644 --- a/core/ajax/preview.php +++ b/core/ajax/preview.php @@ -13,13 +13,15 @@ $maxY = array_key_exists('y', $_GET) ? (int) $_GET['y'] : '36'; $scalingUp = array_key_exists('scalingup', $_GET) ? (bool) $_GET['scalingup'] : true; if($file === '') { - \OC_Response::setStatus(400); //400 Bad Request + //400 Bad Request + \OC_Response::setStatus(400); \OC_Log::write('core-preview', 'No file parameter was passed', \OC_Log::DEBUG); exit; } if($maxX === 0 || $maxY === 0) { - \OC_Response::setStatus(400); //400 Bad Request + //400 Bad Request + \OC_Response::setStatus(400); \OC_Log::write('core-preview', 'x and/or y set to 0', \OC_Log::DEBUG); exit; } @@ -34,6 +36,5 @@ try{ $preview->show(); }catch(\Exception $e) { \OC_Response::setStatus(500); - \OC_Log::write('core', $e->getmessage(), \OC_Log::ERROR); - exit; + \OC_Log::write('core', $e->getmessage(), \OC_Log::DEBUG); } \ No newline at end of file diff --git a/lib/preview.php b/lib/preview.php index e7dd327d021..9fed7f1b58f 100755 --- a/lib/preview.php +++ b/lib/preview.php @@ -13,14 +13,14 @@ */ namespace OC; -require_once('preview/images.php'); -require_once('preview/movies.php'); -require_once('preview/mp3.php'); -require_once('preview/pdf.php'); -require_once('preview/svg.php'); -require_once('preview/txt.php'); -require_once('preview/unknown.php'); -require_once('preview/office.php'); +require_once 'preview/image.php'; +require_once 'preview/movies.php'; +require_once 'preview/mp3.php'; +require_once 'preview/pdf.php'; +require_once 'preview/svg.php'; +require_once 'preview/txt.php'; +require_once 'preview/unknown.php'; +require_once 'preview/office.php'; class Preview { //the thumbnail folder @@ -32,8 +32,8 @@ class Preview { private $configMaxY; //fileview object - private $fileview = null; - private $userview = null; + private $fileView = null; + private $userView = null; //vars private $file; @@ -76,8 +76,8 @@ class Preview { if($user === ''){ $user = \OC_User::getUser(); } - $this->fileview = new \OC\Files\View('/' . $user . '/' . $root); - $this->userview = new \OC\Files\View('/' . $user); + $this->fileView = new \OC\Files\View('/' . $user . '/' . $root); + $this->userView = new \OC\Files\View('/' . $user); $this->preview = null; @@ -226,12 +226,12 @@ class Preview { public function isFileValid() { $file = $this->getFile(); if($file === '') { - \OC_Log::write('core', 'No filename passed', \OC_Log::ERROR); + \OC_Log::write('core', 'No filename passed', \OC_Log::DEBUG); return false; } - if(!$this->fileview->file_exists($file)) { - \OC_Log::write('core', 'File:"' . $file . '" not found', \OC_Log::ERROR); + if(!$this->fileView->file_exists($file)) { + \OC_Log::write('core', 'File:"' . $file . '" not found', \OC_Log::DEBUG); return false; } @@ -245,12 +245,12 @@ class Preview { public function deletePreview() { $file = $this->getFile(); - $fileInfo = $this->fileview->getFileInfo($file); + $fileInfo = $this->fileView->getFileInfo($file); $fileId = $fileInfo['fileid']; $previewPath = $this->getThumbnailsFolder() . '/' . $fileId . '/' . $this->getMaxX() . '-' . $this->getMaxY() . '.png'; - $this->userview->unlink($previewPath); - return !$this->userview->file_exists($previewPath); + $this->userView->unlink($previewPath); + return !$this->userView->file_exists($previewPath); } /** @@ -260,13 +260,13 @@ class Preview { public function deleteAllPreviews() { $file = $this->getFile(); - $fileInfo = $this->fileview->getFileInfo($file); + $fileInfo = $this->fileView->getFileInfo($file); $fileId = $fileInfo['fileid']; $previewPath = $this->getThumbnailsFolder() . '/' . $fileId . '/'; - $this->userview->deleteAll($previewPath); - $this->userview->rmdir($previewPath); - return !$this->userview->is_dir($previewPath); + $this->userView->deleteAll($previewPath); + $this->userView->rmdir($previewPath); + return !$this->userView->is_dir($previewPath); } /** @@ -280,9 +280,9 @@ class Preview { $maxX = $this->getMaxX(); $maxY = $this->getMaxY(); $scalingUp = $this->getScalingUp(); - $maxscalefactor = $this->getMaxScaleFactor(); + $maxScaleFactor = $this->getMaxScaleFactor(); - $fileInfo = $this->fileview->getFileInfo($file); + $fileInfo = $this->fileView->getFileInfo($file); $fileId = $fileInfo['fileid']; if(is_null($fileId)) { @@ -290,12 +290,12 @@ class Preview { } $previewPath = $this->getThumbnailsFolder() . '/' . $fileId . '/'; - if(!$this->userview->is_dir($previewPath)) { + if(!$this->userView->is_dir($previewPath)) { return false; } //does a preview with the wanted height and width already exist? - if($this->userview->file_exists($previewPath . $maxX . '-' . $maxY . '.png')) { + if($this->userView->file_exists($previewPath . $maxX . '-' . $maxY . '.png')) { return $previewPath . $maxX . '-' . $maxY . '.png'; } @@ -304,7 +304,7 @@ class Preview { //array for usable cached thumbnails $possibleThumbnails = array(); - $allThumbnails = $this->userview->getDirectoryContent($previewPath); + $allThumbnails = $this->userView->getDirectoryContent($previewPath); foreach($allThumbnails as $thumbnail) { $name = rtrim($thumbnail['name'], '.png'); $size = explode('-', $name); @@ -319,7 +319,7 @@ class Preview { if($x < $maxX || $y < $maxY) { if($scalingUp) { $scalefactor = $maxX / $x; - if($scalefactor > $maxscalefactor) { + if($scalefactor > $maxScaleFactor) { continue; } }else{ @@ -371,19 +371,19 @@ class Preview { $maxY = $this->getMaxY(); $scalingUp = $this->getScalingUp(); - $fileInfo = $this->fileview->getFileInfo($file); + $fileInfo = $this->fileView->getFileInfo($file); $fileId = $fileInfo['fileid']; $cached = $this->isCached(); if($cached) { - $image = new \OC_Image($this->userview->file_get_contents($cached, 'r')); + $image = new \OC_Image($this->userView->file_get_contents($cached, 'r')); $this->preview = $image->valid() ? $image : null; $this->resizeAndCrop(); } if(is_null($this->preview)) { - $mimetype = $this->fileview->getMimeType($file); + $mimetype = $this->fileView->getMimeType($file); $preview = null; foreach(self::$providers as $supportedMimetype => $provider) { @@ -393,7 +393,7 @@ class Preview { \OC_Log::write('core', 'Generating preview for "' . $file . '" with "' . get_class($provider) . '"', \OC_Log::DEBUG); - $preview = $provider->getThumbnail($file, $maxX, $maxY, $scalingUp, $this->fileview); + $preview = $provider->getThumbnail($file, $maxX, $maxY, $scalingUp, $this->fileView); if(!($preview instanceof \OC_Image)) { continue; @@ -405,15 +405,15 @@ class Preview { $previewPath = $this->getThumbnailsFolder() . '/' . $fileId . '/'; $cachePath = $previewPath . $maxX . '-' . $maxY . '.png'; - if($this->userview->is_dir($this->getThumbnailsFolder() . '/') === false) { - $this->userview->mkdir($this->getThumbnailsFolder() . '/'); + if($this->userView->is_dir($this->getThumbnailsFolder() . '/') === false) { + $this->userView->mkdir($this->getThumbnailsFolder() . '/'); } - if($this->userview->is_dir($previewPath) === false) { - $this->userview->mkdir($previewPath); + if($this->userView->is_dir($previewPath) === false) { + $this->userView->mkdir($previewPath); } - $this->userview->file_put_contents($cachePath, $preview->data()); + $this->userView->file_put_contents($cachePath, $preview->data()); break; } @@ -470,7 +470,7 @@ class Preview { if($x === $realx && $y === $realy) { $this->preview = $image; - return true; + return; } $factorX = $x / $realx; diff --git a/lib/preview/images.php b/lib/preview/image.php similarity index 100% rename from lib/preview/images.php rename to lib/preview/image.php diff --git a/lib/preview/libreoffice-cl.php b/lib/preview/office-cl.php similarity index 88% rename from lib/preview/libreoffice-cl.php rename to lib/preview/office-cl.php index 2f1d08499ef..112909d6523 100644 --- a/lib/preview/libreoffice-cl.php +++ b/lib/preview/office-cl.php @@ -7,7 +7,7 @@ */ namespace OC\Preview; -//we need imagick to convert +//we need imagick to convert class Office extends Provider { private $cmd; @@ -26,7 +26,10 @@ class Office extends Provider { $tmpDir = get_temp_dir(); - $exec = $this->cmd . ' --headless --nologo --nofirststartwizard --invisible --norestore -convert-to pdf -outdir ' . escapeshellarg($tmpDir) . ' ' . escapeshellarg($absPath); + $defaultParameters = ' --headless --nologo --nofirststartwizard --invisible --norestore -convert-to pdf -outdir '; + $clParameters = \OCP\Config::getSystemValue('preview_office_cl_parameters', $defaultParameters); + + $exec = $this->cmd . $clParameters . escapeshellarg($tmpDir) . ' ' . escapeshellarg($absPath); $export = 'export HOME=/' . $tmpDir; shell_exec($export . "\n" . $exec); @@ -110,7 +113,7 @@ class MSOffice2007 extends Office { //.odt, .ott, .oth, .odm, .odg, .otg, .odp, .otp, .ods, .ots, .odc, .odf, .odb, .odi, .oxt class OpenDocument extends Office { - + public function getMimeType() { return '/application\/vnd.oasis.opendocument.*/'; } diff --git a/lib/preview/msoffice.php b/lib/preview/office-fallback.php similarity index 100% rename from lib/preview/msoffice.php rename to lib/preview/office-fallback.php diff --git a/lib/preview/office.php b/lib/preview/office.php index b93e1e57c8b..5287bbd6ac1 100644 --- a/lib/preview/office.php +++ b/lib/preview/office.php @@ -14,9 +14,9 @@ if (extension_loaded('imagick')) { $isOpenOfficeAvailable = !empty($whichOpenOffice); //let's see if there is libreoffice or openoffice on this machine if($isShellExecEnabled && ($isLibreOfficeAvailable || $isOpenOfficeAvailable || is_string(\OC_Config::getValue('preview_libreoffice_path', null)))) { - require_once('libreoffice-cl.php'); + require_once('office-cl.php'); }else{ //in case there isn't, use our fallback - require_once('msoffice.php'); + require_once('office-fallback.php'); } } \ No newline at end of file -- GitLab From d9e8ebabdcd99bade4201d6be82e1841d30c5d65 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Mon, 19 Aug 2013 13:24:07 +0200 Subject: [PATCH 306/415] outsource sharing and deleted files previews to apps --- {core => apps/files_sharing}/ajax/publicpreview.php | 3 +-- apps/files_sharing/appinfo/routes.php | 5 +++++ .../files_trashbin/ajax/preview.php | 3 +-- apps/files_trashbin/appinfo/routes.php | 5 +++++ core/routes.php | 4 ---- 5 files changed, 12 insertions(+), 8 deletions(-) rename {core => apps/files_sharing}/ajax/publicpreview.php (97%) create mode 100644 apps/files_sharing/appinfo/routes.php rename core/ajax/trashbinpreview.php => apps/files_trashbin/ajax/preview.php (94%) create mode 100644 apps/files_trashbin/appinfo/routes.php diff --git a/core/ajax/publicpreview.php b/apps/files_sharing/ajax/publicpreview.php similarity index 97% rename from core/ajax/publicpreview.php rename to apps/files_sharing/ajax/publicpreview.php index 83194d5349c..41a1c178a48 100644 --- a/core/ajax/publicpreview.php +++ b/apps/files_sharing/ajax/publicpreview.php @@ -81,6 +81,5 @@ try{ $preview->show(); } catch (\Exception $e) { \OC_Response::setStatus(500); - \OC_Log::write('core', $e->getmessage(), \OC_Log::ERROR); - exit; + \OC_Log::write('core', $e->getmessage(), \OC_Log::DEBUG); } \ No newline at end of file diff --git a/apps/files_sharing/appinfo/routes.php b/apps/files_sharing/appinfo/routes.php new file mode 100644 index 00000000000..02815b5eb42 --- /dev/null +++ b/apps/files_sharing/appinfo/routes.php @@ -0,0 +1,5 @@ +create('core_ajax_public_preview', '/publicpreview.png')->action( +function() { + require_once __DIR__ . '/../ajax/publicpreview.php'; +}); \ No newline at end of file diff --git a/core/ajax/trashbinpreview.php b/apps/files_trashbin/ajax/preview.php similarity index 94% rename from core/ajax/trashbinpreview.php rename to apps/files_trashbin/ajax/preview.php index a916dcf229f..a0846b051c7 100644 --- a/core/ajax/trashbinpreview.php +++ b/apps/files_trashbin/ajax/preview.php @@ -38,6 +38,5 @@ try{ $preview->showPreview(); }catch(\Exception $e) { \OC_Response::setStatus(500); - \OC_Log::write('core', $e->getmessage(), \OC_Log::ERROR); - exit; + \OC_Log::write('core', $e->getmessage(), \OC_Log::DEBUG); } \ No newline at end of file diff --git a/apps/files_trashbin/appinfo/routes.php b/apps/files_trashbin/appinfo/routes.php new file mode 100644 index 00000000000..b1c3f02741e --- /dev/null +++ b/apps/files_trashbin/appinfo/routes.php @@ -0,0 +1,5 @@ +create('core_ajax_trashbin_preview', '/preview.png')->action( +function() { + require_once __DIR__ . '/../ajax/preview.php'; +}); \ No newline at end of file diff --git a/core/routes.php b/core/routes.php index ce35be1d583..f0f8ce571e2 100644 --- a/core/routes.php +++ b/core/routes.php @@ -44,10 +44,6 @@ $this->create('core_ajax_routes', '/core/routes.json') ->action('OC_Router', 'JSRoutes'); $this->create('core_ajax_preview', '/core/preview.png') ->actionInclude('core/ajax/preview.php'); -$this->create('core_ajax_trashbin_preview', '/core/trashbinpreview.png') - ->actionInclude('core/ajax/trashbinpreview.php'); -$this->create('core_ajax_public_preview', '/core/publicpreview.png') - ->actionInclude('core/ajax/publicpreview.php'); OC::$CLASSPATH['OC_Core_LostPassword_Controller'] = 'core/lostpassword/controller.php'; $this->create('core_lostpassword_index', '/lostpassword/') ->get() -- GitLab From 9e5b721a0d0dad92400feaeef90c5ec5bba1f0da Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Mon, 19 Aug 2013 15:42:51 +0200 Subject: [PATCH 307/415] fix minor style issue in the app navigation --- core/css/styles.css | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/core/css/styles.css b/core/css/styles.css index 52a265d2031..b03c08de738 100644 --- a/core/css/styles.css +++ b/core/css/styles.css @@ -739,7 +739,7 @@ div.crumb:active { /* special rules for first-level entries and folders */ #app-navigation > ul > li { - background-color: #eee; + background-color: #f8f8f8; } #app-navigation .with-icon a { @@ -860,6 +860,10 @@ div.crumb:active { color: #dd1144; } +#app-navigation .app-navigation-separator { + border-bottom: 1px solid #ccc; +} + /* Part where the content will be loaded into */ -- GitLab From 64c0e5d8075ef904f8b87611b1b91dc2c2839519 Mon Sep 17 00:00:00 2001 From: Arthur Schiwon Date: Mon, 19 Aug 2013 15:53:20 +0200 Subject: [PATCH 308/415] no assoc index here, makes tests pass again --- lib/group/group.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/group/group.php b/lib/group/group.php index c4ca7f1c0eb..bb1537b5c66 100644 --- a/lib/group/group.php +++ b/lib/group/group.php @@ -77,7 +77,7 @@ class Group { foreach ($userIds as $userId) { $user = $this->userManager->get($userId); if(!is_null($user)) { - $users[$userId] = $user; + $users[] = $user; } } $this->users = $users; -- GitLab From e9644c2f52270aa1a1f345ed38bb2e66a4e8752d Mon Sep 17 00:00:00 2001 From: Jenkins for ownCloud Date: Mon, 19 Aug 2013 15:14:38 -0400 Subject: [PATCH 309/415] [tx-robot] updated from transifex --- apps/files/l10n/cs_CZ.php | 6 +- apps/files/l10n/ja_JP.php | 2 +- apps/files/l10n/lv.php | 13 +- apps/files/l10n/nb_NO.php | 16 +-- apps/files/l10n/nl.php | 6 +- apps/files/l10n/ru.php | 6 +- apps/files/l10n/sv.php | 6 +- apps/files/l10n/zh_CN.php | 4 +- apps/files_encryption/l10n/ru.php | 2 + apps/files_external/l10n/lv.php | 1 + apps/files_sharing/l10n/zh_CN.php | 7 ++ apps/files_trashbin/l10n/cs_CZ.php | 4 +- apps/files_trashbin/l10n/lv.php | 5 +- apps/files_trashbin/l10n/nb_NO.php | 4 +- apps/files_trashbin/l10n/nl.php | 4 +- apps/files_trashbin/l10n/ru.php | 4 +- apps/files_trashbin/l10n/sv.php | 4 +- apps/files_trashbin/l10n/zh_CN.php | 5 +- apps/user_ldap/l10n/bn_BD.php | 7 -- apps/user_ldap/l10n/ca.php | 8 -- apps/user_ldap/l10n/cs_CZ.php | 40 +++--- apps/user_ldap/l10n/da.php | 5 - apps/user_ldap/l10n/de.php | 8 -- apps/user_ldap/l10n/de_DE.php | 8 -- apps/user_ldap/l10n/el.php | 7 -- apps/user_ldap/l10n/eo.php | 7 -- apps/user_ldap/l10n/es.php | 8 -- apps/user_ldap/l10n/es_AR.php | 7 -- apps/user_ldap/l10n/et_EE.php | 8 -- apps/user_ldap/l10n/eu.php | 7 -- apps/user_ldap/l10n/fa.php | 2 - apps/user_ldap/l10n/fi_FI.php | 7 -- apps/user_ldap/l10n/fr.php | 7 -- apps/user_ldap/l10n/gl.php | 8 -- apps/user_ldap/l10n/hu_HU.php | 7 -- apps/user_ldap/l10n/id.php | 7 -- apps/user_ldap/l10n/it.php | 8 -- apps/user_ldap/l10n/ja_JP.php | 8 -- apps/user_ldap/l10n/ka_GE.php | 7 -- apps/user_ldap/l10n/ko.php | 7 -- apps/user_ldap/l10n/lt_LT.php | 1 - apps/user_ldap/l10n/lv.php | 7 -- apps/user_ldap/l10n/nb_NO.php | 7 -- apps/user_ldap/l10n/nl.php | 11 +- apps/user_ldap/l10n/pl.php | 7 -- apps/user_ldap/l10n/pt_BR.php | 8 -- apps/user_ldap/l10n/pt_PT.php | 7 -- apps/user_ldap/l10n/ro.php | 7 -- apps/user_ldap/l10n/ru.php | 7 -- apps/user_ldap/l10n/si_LK.php | 2 - apps/user_ldap/l10n/sk_SK.php | 8 -- apps/user_ldap/l10n/sl.php | 7 -- apps/user_ldap/l10n/sr.php | 7 -- apps/user_ldap/l10n/sv.php | 8 -- apps/user_ldap/l10n/ta_LK.php | 2 - apps/user_ldap/l10n/th_TH.php | 7 -- apps/user_ldap/l10n/tr.php | 7 -- apps/user_ldap/l10n/uk.php | 7 -- apps/user_ldap/l10n/vi.php | 7 -- apps/user_ldap/l10n/zh_CN.GB2312.php | 7 -- apps/user_ldap/l10n/zh_CN.php | 7 -- apps/user_ldap/l10n/zh_TW.php | 7 -- apps/user_webdavauth/l10n/zh_TW.php | 4 +- core/l10n/af_ZA.php | 4 +- core/l10n/ar.php | 3 - core/l10n/be.php | 4 +- core/l10n/bg_BG.php | 5 +- core/l10n/bn_BD.php | 3 - core/l10n/ca.php | 3 - core/l10n/cs_CZ.php | 12 +- core/l10n/cy_GB.php | 3 - core/l10n/da.php | 3 - core/l10n/de.php | 3 - core/l10n/de_CH.php | 3 - core/l10n/de_DE.php | 3 - core/l10n/el.php | 3 - core/l10n/eo.php | 3 - core/l10n/es.php | 3 - core/l10n/es_AR.php | 3 - core/l10n/et_EE.php | 3 - core/l10n/eu.php | 3 - core/l10n/fa.php | 3 - core/l10n/fi_FI.php | 3 - core/l10n/fr.php | 3 - core/l10n/gl.php | 3 - core/l10n/he.php | 3 - core/l10n/hi.php | 4 +- core/l10n/hr.php | 5 +- core/l10n/hu_HU.php | 3 - core/l10n/ia.php | 5 +- core/l10n/id.php | 3 - core/l10n/is.php | 3 - core/l10n/it.php | 3 - core/l10n/ja_JP.php | 12 +- core/l10n/ka_GE.php | 3 - core/l10n/ko.php | 3 - core/l10n/ku_IQ.php | 4 +- core/l10n/lb.php | 3 - core/l10n/lt_LT.php | 3 - core/l10n/lv.php | 26 ++-- core/l10n/mk.php | 5 +- core/l10n/ms_MY.php | 5 +- core/l10n/my_MM.php | 5 +- core/l10n/nb_NO.php | 3 - core/l10n/nl.php | 12 +- core/l10n/nn_NO.php | 3 - core/l10n/oc.php | 5 +- core/l10n/pl.php | 3 - core/l10n/pt_BR.php | 3 - core/l10n/pt_PT.php | 3 - core/l10n/ro.php | 3 - core/l10n/ru.php | 13 +- core/l10n/si_LK.php | 5 +- core/l10n/sk_SK.php | 3 - core/l10n/sl.php | 3 - core/l10n/sq.php | 3 - core/l10n/sr.php | 3 - core/l10n/sr@latin.php | 5 +- core/l10n/sv.php | 13 +- core/l10n/ta_LK.php | 5 +- core/l10n/te.php | 1 - core/l10n/th_TH.php | 3 - core/l10n/tr.php | 3 - core/l10n/ug.php | 2 +- core/l10n/uk.php | 3 - core/l10n/ur_PK.php | 5 +- core/l10n/vi.php | 3 - core/l10n/zh_CN.GB2312.php | 3 - core/l10n/zh_CN.php | 5 +- core/l10n/zh_HK.php | 3 - core/l10n/zh_TW.php | 3 - l10n/af_ZA/core.po | 46 +++---- l10n/af_ZA/files.po | 32 +++-- l10n/af_ZA/lib.po | 8 +- l10n/af_ZA/settings.po | 76 ++++++----- l10n/af_ZA/user_ldap.po | 137 +++++++++----------- l10n/ar/core.po | 46 +++---- l10n/ar/files.po | 32 +++-- l10n/ar/files_sharing.po | 4 +- l10n/ar/lib.po | 8 +- l10n/ar/settings.po | 76 ++++++----- l10n/ar/user_ldap.po | 137 +++++++++----------- l10n/be/core.po | 46 +++---- l10n/be/files.po | 32 +++-- l10n/be/lib.po | 8 +- l10n/be/settings.po | 76 ++++++----- l10n/be/user_ldap.po | 137 +++++++++----------- l10n/bg_BG/core.po | 46 +++---- l10n/bg_BG/files.po | 32 +++-- l10n/bg_BG/files_sharing.po | 4 +- l10n/bg_BG/lib.po | 8 +- l10n/bg_BG/settings.po | 76 ++++++----- l10n/bg_BG/user_ldap.po | 137 +++++++++----------- l10n/bn_BD/core.po | 46 +++---- l10n/bn_BD/files.po | 32 +++-- l10n/bn_BD/files_sharing.po | 4 +- l10n/bn_BD/lib.po | 8 +- l10n/bn_BD/settings.po | 76 ++++++----- l10n/bn_BD/user_ldap.po | 143 ++++++++++----------- l10n/bs/core.po | 46 +++---- l10n/bs/files.po | 32 +++-- l10n/bs/lib.po | 8 +- l10n/bs/settings.po | 76 ++++++----- l10n/bs/user_ldap.po | 137 +++++++++----------- l10n/ca/core.po | 46 +++---- l10n/ca/files.po | 32 +++-- l10n/ca/files_sharing.po | 4 +- l10n/ca/lib.po | 8 +- l10n/ca/settings.po | 78 +++++++----- l10n/ca/user_ldap.po | 147 ++++++++++------------ l10n/cs_CZ/core.po | 52 +++----- l10n/cs_CZ/files.po | 50 ++++---- l10n/cs_CZ/files_sharing.po | 4 +- l10n/cs_CZ/files_trashbin.po | 17 +-- l10n/cs_CZ/lib.po | 32 +++-- l10n/cs_CZ/settings.po | 78 +++++++----- l10n/cs_CZ/user_ldap.po | 180 +++++++++++++-------------- l10n/cy_GB/core.po | 46 +++---- l10n/cy_GB/files.po | 32 +++-- l10n/cy_GB/files_sharing.po | 4 +- l10n/cy_GB/lib.po | 8 +- l10n/cy_GB/settings.po | 76 ++++++----- l10n/cy_GB/user_ldap.po | 137 +++++++++----------- l10n/da/core.po | 26 ++-- l10n/da/files.po | 32 +++-- l10n/da/files_sharing.po | 4 +- l10n/da/lib.po | 10 +- l10n/da/settings.po | 78 +++++++----- l10n/da/user_ldap.po | 143 ++++++++++----------- l10n/de/core.po | 24 +--- l10n/de/files.po | 32 +++-- l10n/de/files_sharing.po | 4 +- l10n/de/lib.po | 8 +- l10n/de/settings.po | 78 +++++++----- l10n/de/user_ldap.po | 147 ++++++++++------------ l10n/de_AT/core.po | 46 +++---- l10n/de_AT/files.po | 32 +++-- l10n/de_AT/lib.po | 8 +- l10n/de_AT/settings.po | 76 ++++++----- l10n/de_AT/user_ldap.po | 137 +++++++++----------- l10n/de_CH/core.po | 46 +++---- l10n/de_CH/files.po | 32 +++-- l10n/de_CH/files_sharing.po | 4 +- l10n/de_CH/lib.po | 8 +- l10n/de_CH/settings.po | 78 +++++++----- l10n/de_CH/user_ldap.po | 147 ++++++++++------------ l10n/de_DE/core.po | 24 +--- l10n/de_DE/files.po | 32 +++-- l10n/de_DE/files_sharing.po | 4 +- l10n/de_DE/lib.po | 10 +- l10n/de_DE/settings.po | 78 +++++++----- l10n/de_DE/user_ldap.po | 147 ++++++++++------------ l10n/el/core.po | 46 +++---- l10n/el/files.po | 32 +++-- l10n/el/files_sharing.po | 4 +- l10n/el/lib.po | 8 +- l10n/el/settings.po | 76 ++++++----- l10n/el/user_ldap.po | 143 ++++++++++----------- l10n/en@pirate/core.po | 46 +++---- l10n/en@pirate/files.po | 32 +++-- l10n/en@pirate/files_sharing.po | 4 +- l10n/en@pirate/lib.po | 8 +- l10n/en@pirate/settings.po | 76 ++++++----- l10n/en@pirate/user_ldap.po | 137 +++++++++----------- l10n/eo/core.po | 46 +++---- l10n/eo/files.po | 32 +++-- l10n/eo/files_sharing.po | 4 +- l10n/eo/lib.po | 8 +- l10n/eo/settings.po | 76 ++++++----- l10n/eo/user_ldap.po | 143 ++++++++++----------- l10n/es/core.po | 24 +--- l10n/es/files.po | 32 +++-- l10n/es/files_sharing.po | 4 +- l10n/es/lib.po | 8 +- l10n/es/settings.po | 78 +++++++----- l10n/es/user_ldap.po | 147 ++++++++++------------ l10n/es_AR/core.po | 46 +++---- l10n/es_AR/files.po | 32 +++-- l10n/es_AR/files_sharing.po | 4 +- l10n/es_AR/lib.po | 8 +- l10n/es_AR/settings.po | 76 ++++++----- l10n/es_AR/user_ldap.po | 143 ++++++++++----------- l10n/et_EE/core.po | 46 +++---- l10n/et_EE/files.po | 32 +++-- l10n/et_EE/files_sharing.po | 4 +- l10n/et_EE/lib.po | 8 +- l10n/et_EE/settings.po | 78 +++++++----- l10n/et_EE/user_ldap.po | 147 ++++++++++------------ l10n/eu/core.po | 46 +++---- l10n/eu/files.po | 32 +++-- l10n/eu/files_sharing.po | 4 +- l10n/eu/lib.po | 8 +- l10n/eu/settings.po | 78 +++++++----- l10n/eu/user_ldap.po | 145 ++++++++++----------- l10n/fa/core.po | 46 +++---- l10n/fa/files.po | 32 +++-- l10n/fa/files_sharing.po | 4 +- l10n/fa/lib.po | 8 +- l10n/fa/settings.po | 76 ++++++----- l10n/fa/user_ldap.po | 137 +++++++++----------- l10n/fi_FI/core.po | 26 ++-- l10n/fi_FI/files.po | 32 +++-- l10n/fi_FI/files_sharing.po | 4 +- l10n/fi_FI/lib.po | 10 +- l10n/fi_FI/settings.po | 76 ++++++----- l10n/fi_FI/user_ldap.po | 143 ++++++++++----------- l10n/fr/core.po | 46 +++---- l10n/fr/files.po | 32 +++-- l10n/fr/files_sharing.po | 4 +- l10n/fr/lib.po | 8 +- l10n/fr/settings.po | 76 ++++++----- l10n/fr/user_ldap.po | 143 ++++++++++----------- l10n/gl/core.po | 26 ++-- l10n/gl/files.po | 32 +++-- l10n/gl/files_sharing.po | 4 +- l10n/gl/lib.po | 8 +- l10n/gl/settings.po | 78 +++++++----- l10n/gl/user_ldap.po | 147 ++++++++++------------ l10n/he/core.po | 46 +++---- l10n/he/files.po | 32 +++-- l10n/he/files_sharing.po | 4 +- l10n/he/lib.po | 8 +- l10n/he/settings.po | 76 ++++++----- l10n/he/user_ldap.po | 137 +++++++++----------- l10n/hi/core.po | 46 +++---- l10n/hi/files.po | 32 +++-- l10n/hi/lib.po | 8 +- l10n/hi/settings.po | 76 ++++++----- l10n/hi/user_ldap.po | 137 +++++++++----------- l10n/hr/core.po | 46 +++---- l10n/hr/files.po | 32 +++-- l10n/hr/files_sharing.po | 4 +- l10n/hr/lib.po | 8 +- l10n/hr/settings.po | 76 ++++++----- l10n/hr/user_ldap.po | 137 +++++++++----------- l10n/hu_HU/core.po | 46 +++---- l10n/hu_HU/files.po | 32 +++-- l10n/hu_HU/files_sharing.po | 4 +- l10n/hu_HU/lib.po | 8 +- l10n/hu_HU/settings.po | 78 +++++++----- l10n/hu_HU/user_ldap.po | 143 ++++++++++----------- l10n/hy/core.po | 46 +++---- l10n/hy/files.po | 32 +++-- l10n/hy/files_sharing.po | 4 +- l10n/hy/lib.po | 8 +- l10n/hy/settings.po | 76 ++++++----- l10n/hy/user_ldap.po | 137 +++++++++----------- l10n/ia/core.po | 46 +++---- l10n/ia/files.po | 32 +++-- l10n/ia/files_sharing.po | 4 +- l10n/ia/lib.po | 8 +- l10n/ia/settings.po | 76 ++++++----- l10n/ia/user_ldap.po | 137 +++++++++----------- l10n/id/core.po | 46 +++---- l10n/id/files.po | 32 +++-- l10n/id/files_sharing.po | 4 +- l10n/id/lib.po | 8 +- l10n/id/settings.po | 76 ++++++----- l10n/id/user_ldap.po | 143 ++++++++++----------- l10n/is/core.po | 46 +++---- l10n/is/files.po | 32 +++-- l10n/is/files_sharing.po | 4 +- l10n/is/lib.po | 8 +- l10n/is/settings.po | 76 ++++++----- l10n/is/user_ldap.po | 137 +++++++++----------- l10n/it/core.po | 46 +++---- l10n/it/files.po | 32 +++-- l10n/it/files_sharing.po | 4 +- l10n/it/lib.po | 8 +- l10n/it/settings.po | 78 +++++++----- l10n/it/user_ldap.po | 147 ++++++++++------------ l10n/ja_JP/core.po | 57 ++++----- l10n/ja_JP/files.po | 35 +++--- l10n/ja_JP/files_sharing.po | 4 +- l10n/ja_JP/lib.po | 17 ++- l10n/ja_JP/settings.po | 78 +++++++----- l10n/ja_JP/user_ldap.po | 147 ++++++++++------------ l10n/ka/core.po | 46 +++---- l10n/ka/files.po | 32 +++-- l10n/ka/files_sharing.po | 4 +- l10n/ka/lib.po | 8 +- l10n/ka/settings.po | 76 ++++++----- l10n/ka/user_ldap.po | 137 +++++++++----------- l10n/ka_GE/core.po | 46 +++---- l10n/ka_GE/files.po | 32 +++-- l10n/ka_GE/files_sharing.po | 4 +- l10n/ka_GE/lib.po | 8 +- l10n/ka_GE/settings.po | 76 ++++++----- l10n/ka_GE/user_ldap.po | 143 ++++++++++----------- l10n/kn/core.po | 46 +++---- l10n/kn/files.po | 32 +++-- l10n/kn/lib.po | 8 +- l10n/kn/settings.po | 76 ++++++----- l10n/kn/user_ldap.po | 137 +++++++++----------- l10n/ko/core.po | 46 +++---- l10n/ko/files.po | 32 +++-- l10n/ko/files_sharing.po | 4 +- l10n/ko/lib.po | 8 +- l10n/ko/settings.po | 76 ++++++----- l10n/ko/user_ldap.po | 143 ++++++++++----------- l10n/ku_IQ/core.po | 46 +++---- l10n/ku_IQ/files.po | 32 +++-- l10n/ku_IQ/files_sharing.po | 4 +- l10n/ku_IQ/lib.po | 8 +- l10n/ku_IQ/settings.po | 76 ++++++----- l10n/ku_IQ/user_ldap.po | 137 +++++++++----------- l10n/lb/core.po | 46 +++---- l10n/lb/files.po | 32 +++-- l10n/lb/files_sharing.po | 4 +- l10n/lb/lib.po | 8 +- l10n/lb/settings.po | 76 ++++++----- l10n/lb/user_ldap.po | 137 +++++++++----------- l10n/lt_LT/core.po | 46 +++---- l10n/lt_LT/files.po | 32 +++-- l10n/lt_LT/files_sharing.po | 4 +- l10n/lt_LT/lib.po | 8 +- l10n/lt_LT/settings.po | 76 ++++++----- l10n/lt_LT/user_ldap.po | 137 +++++++++----------- l10n/lv/core.po | 101 +++++++-------- l10n/lv/files.po | 65 +++++----- l10n/lv/files_external.po | 21 ++-- l10n/lv/files_sharing.po | 4 +- l10n/lv/files_trashbin.po | 21 ++-- l10n/lv/lib.po | 27 ++-- l10n/lv/settings.po | 103 +++++++++------ l10n/lv/user_ldap.po | 143 ++++++++++----------- l10n/mk/core.po | 46 +++---- l10n/mk/files.po | 32 +++-- l10n/mk/files_sharing.po | 4 +- l10n/mk/lib.po | 8 +- l10n/mk/settings.po | 76 ++++++----- l10n/mk/user_ldap.po | 137 +++++++++----------- l10n/ml_IN/core.po | 46 +++---- l10n/ml_IN/files.po | 32 +++-- l10n/ml_IN/lib.po | 8 +- l10n/ml_IN/settings.po | 76 ++++++----- l10n/ml_IN/user_ldap.po | 137 +++++++++----------- l10n/ms_MY/core.po | 46 +++---- l10n/ms_MY/files.po | 32 +++-- l10n/ms_MY/files_sharing.po | 4 +- l10n/ms_MY/lib.po | 8 +- l10n/ms_MY/settings.po | 76 ++++++----- l10n/ms_MY/user_ldap.po | 137 +++++++++----------- l10n/my_MM/core.po | 46 +++---- l10n/my_MM/files.po | 32 +++-- l10n/my_MM/files_sharing.po | 4 +- l10n/my_MM/lib.po | 8 +- l10n/my_MM/settings.po | 76 ++++++----- l10n/my_MM/user_ldap.po | 137 +++++++++----------- l10n/nb_NO/core.po | 46 +++---- l10n/nb_NO/files.po | 57 +++++---- l10n/nb_NO/files_sharing.po | 4 +- l10n/nb_NO/files_trashbin.po | 8 +- l10n/nb_NO/lib.po | 8 +- l10n/nb_NO/settings.po | 76 ++++++----- l10n/nb_NO/user_ldap.po | 143 ++++++++++----------- l10n/ne/core.po | 46 +++---- l10n/ne/files.po | 32 +++-- l10n/ne/lib.po | 8 +- l10n/ne/settings.po | 76 ++++++----- l10n/ne/user_ldap.po | 137 +++++++++----------- l10n/nl/core.po | 56 ++++----- l10n/nl/files.po | 41 +++--- l10n/nl/files_sharing.po | 4 +- l10n/nl/files_trashbin.po | 14 +-- l10n/nl/lib.po | 24 ++-- l10n/nl/settings.po | 85 ++++++++----- l10n/nl/user_ldap.po | 154 +++++++++++------------ l10n/nn_NO/core.po | 46 +++---- l10n/nn_NO/files.po | 32 +++-- l10n/nn_NO/files_sharing.po | 4 +- l10n/nn_NO/lib.po | 8 +- l10n/nn_NO/settings.po | 76 ++++++----- l10n/nn_NO/user_ldap.po | 137 +++++++++----------- l10n/oc/core.po | 46 +++---- l10n/oc/files.po | 32 +++-- l10n/oc/files_sharing.po | 4 +- l10n/oc/lib.po | 8 +- l10n/oc/settings.po | 76 ++++++----- l10n/oc/user_ldap.po | 137 +++++++++----------- l10n/pl/core.po | 46 +++---- l10n/pl/files.po | 32 +++-- l10n/pl/files_sharing.po | 4 +- l10n/pl/lib.po | 8 +- l10n/pl/settings.po | 78 +++++++----- l10n/pl/user_ldap.po | 143 ++++++++++----------- l10n/pt_BR/core.po | 26 ++-- l10n/pt_BR/files.po | 32 +++-- l10n/pt_BR/files_sharing.po | 4 +- l10n/pt_BR/lib.po | 8 +- l10n/pt_BR/settings.po | 78 +++++++----- l10n/pt_BR/user_ldap.po | 147 ++++++++++------------ l10n/pt_PT/core.po | 46 +++---- l10n/pt_PT/files.po | 32 +++-- l10n/pt_PT/files_sharing.po | 4 +- l10n/pt_PT/lib.po | 8 +- l10n/pt_PT/settings.po | 78 +++++++----- l10n/pt_PT/user_ldap.po | 143 ++++++++++----------- l10n/ro/core.po | 46 +++---- l10n/ro/files.po | 32 +++-- l10n/ro/files_sharing.po | 4 +- l10n/ro/lib.po | 8 +- l10n/ro/settings.po | 76 ++++++----- l10n/ro/user_ldap.po | 143 ++++++++++----------- l10n/ru/core.po | 75 +++++------ l10n/ru/files.po | 51 ++++---- l10n/ru/files_encryption.po | 17 +-- l10n/ru/files_sharing.po | 4 +- l10n/ru/files_trashbin.po | 8 +- l10n/ru/lib.po | 33 +++-- l10n/ru/settings.po | 80 +++++++----- l10n/ru/user_ldap.po | 145 ++++++++++----------- l10n/si_LK/core.po | 46 +++---- l10n/si_LK/files.po | 32 +++-- l10n/si_LK/files_sharing.po | 4 +- l10n/si_LK/lib.po | 8 +- l10n/si_LK/settings.po | 76 ++++++----- l10n/si_LK/user_ldap.po | 137 +++++++++----------- l10n/sk/core.po | 46 +++---- l10n/sk/files.po | 32 +++-- l10n/sk/lib.po | 8 +- l10n/sk/settings.po | 76 ++++++----- l10n/sk/user_ldap.po | 137 +++++++++----------- l10n/sk_SK/core.po | 46 +++---- l10n/sk_SK/files.po | 32 +++-- l10n/sk_SK/files_sharing.po | 4 +- l10n/sk_SK/lib.po | 8 +- l10n/sk_SK/settings.po | 76 ++++++----- l10n/sk_SK/user_ldap.po | 147 ++++++++++------------ l10n/sl/core.po | 46 +++---- l10n/sl/files.po | 32 +++-- l10n/sl/files_sharing.po | 4 +- l10n/sl/lib.po | 8 +- l10n/sl/settings.po | 76 ++++++----- l10n/sl/user_ldap.po | 143 ++++++++++----------- l10n/sq/core.po | 46 +++---- l10n/sq/files.po | 32 +++-- l10n/sq/files_sharing.po | 4 +- l10n/sq/lib.po | 8 +- l10n/sq/settings.po | 76 ++++++----- l10n/sq/user_ldap.po | 137 +++++++++----------- l10n/sr/core.po | 46 +++---- l10n/sr/files.po | 32 +++-- l10n/sr/files_sharing.po | 4 +- l10n/sr/lib.po | 8 +- l10n/sr/settings.po | 76 ++++++----- l10n/sr/user_ldap.po | 143 ++++++++++----------- l10n/sr@latin/core.po | 46 +++---- l10n/sr@latin/files.po | 32 +++-- l10n/sr@latin/files_sharing.po | 4 +- l10n/sr@latin/lib.po | 8 +- l10n/sr@latin/settings.po | 76 ++++++----- l10n/sr@latin/user_ldap.po | 137 +++++++++----------- l10n/sv/core.po | 66 ++++------ l10n/sv/files.po | 44 ++++--- l10n/sv/files_sharing.po | 4 +- l10n/sv/files_trashbin.po | 15 +-- l10n/sv/lib.po | 24 ++-- l10n/sv/settings.po | 78 +++++++----- l10n/sv/user_ldap.po | 147 ++++++++++------------ l10n/sw_KE/core.po | 46 +++---- l10n/sw_KE/files.po | 32 +++-- l10n/sw_KE/lib.po | 8 +- l10n/sw_KE/settings.po | 76 ++++++----- l10n/sw_KE/user_ldap.po | 137 +++++++++----------- l10n/ta_LK/core.po | 46 +++---- l10n/ta_LK/files.po | 32 +++-- l10n/ta_LK/files_sharing.po | 4 +- l10n/ta_LK/lib.po | 8 +- l10n/ta_LK/settings.po | 76 ++++++----- l10n/ta_LK/user_ldap.po | 137 +++++++++----------- l10n/te/core.po | 46 +++---- l10n/te/files.po | 32 +++-- l10n/te/lib.po | 8 +- l10n/te/settings.po | 76 ++++++----- l10n/te/user_ldap.po | 137 +++++++++----------- l10n/templates/core.pot | 22 +--- l10n/templates/files.pot | 30 +++-- l10n/templates/files_encryption.pot | 8 +- l10n/templates/files_external.pot | 8 +- l10n/templates/files_sharing.pot | 2 +- l10n/templates/files_trashbin.pot | 2 +- l10n/templates/files_versions.pot | 4 +- l10n/templates/lib.pot | 6 +- l10n/templates/settings.pot | 74 +++++++---- l10n/templates/user_ldap.pot | 135 +++++++++----------- l10n/templates/user_webdavauth.pot | 2 +- l10n/th_TH/core.po | 46 +++---- l10n/th_TH/files.po | 32 +++-- l10n/th_TH/files_sharing.po | 4 +- l10n/th_TH/lib.po | 8 +- l10n/th_TH/settings.po | 76 ++++++----- l10n/th_TH/user_ldap.po | 143 ++++++++++----------- l10n/tr/core.po | 26 ++-- l10n/tr/files.po | 32 +++-- l10n/tr/files_sharing.po | 4 +- l10n/tr/lib.po | 10 +- l10n/tr/settings.po | 78 +++++++----- l10n/tr/user_ldap.po | 143 ++++++++++----------- l10n/ug/core.po | 48 +++---- l10n/ug/files.po | 32 +++-- l10n/ug/files_sharing.po | 4 +- l10n/ug/lib.po | 8 +- l10n/ug/settings.po | 76 ++++++----- l10n/ug/user_ldap.po | 137 +++++++++----------- l10n/uk/core.po | 46 +++---- l10n/uk/files.po | 32 +++-- l10n/uk/files_sharing.po | 4 +- l10n/uk/lib.po | 8 +- l10n/uk/settings.po | 76 ++++++----- l10n/uk/user_ldap.po | 143 ++++++++++----------- l10n/ur_PK/core.po | 46 +++---- l10n/ur_PK/files.po | 32 +++-- l10n/ur_PK/lib.po | 8 +- l10n/ur_PK/settings.po | 76 ++++++----- l10n/ur_PK/user_ldap.po | 137 +++++++++----------- l10n/vi/core.po | 46 +++---- l10n/vi/files.po | 32 +++-- l10n/vi/files_sharing.po | 4 +- l10n/vi/lib.po | 8 +- l10n/vi/settings.po | 76 ++++++----- l10n/vi/user_ldap.po | 143 ++++++++++----------- l10n/zh_CN.GB2312/core.po | 26 ++-- l10n/zh_CN.GB2312/files.po | 32 +++-- l10n/zh_CN.GB2312/files_sharing.po | 4 +- l10n/zh_CN.GB2312/lib.po | 8 +- l10n/zh_CN.GB2312/settings.po | 78 +++++++----- l10n/zh_CN.GB2312/user_ldap.po | 143 ++++++++++----------- l10n/zh_CN/core.po | 48 +++---- l10n/zh_CN/files.po | 36 +++--- l10n/zh_CN/files_sharing.po | 21 ++-- l10n/zh_CN/files_trashbin.po | 13 +- l10n/zh_CN/lib.po | 11 +- l10n/zh_CN/settings.po | 97 +++++++++------ l10n/zh_CN/user_ldap.po | 143 ++++++++++----------- l10n/zh_HK/core.po | 46 +++---- l10n/zh_HK/files.po | 32 +++-- l10n/zh_HK/files_sharing.po | 4 +- l10n/zh_HK/lib.po | 8 +- l10n/zh_HK/settings.po | 76 ++++++----- l10n/zh_HK/user_ldap.po | 137 +++++++++----------- l10n/zh_TW/core.po | 46 +++---- l10n/zh_TW/files.po | 32 +++-- l10n/zh_TW/files_sharing.po | 4 +- l10n/zh_TW/lib.po | 8 +- l10n/zh_TW/settings.po | 78 +++++++----- l10n/zh_TW/user_ldap.po | 143 ++++++++++----------- l10n/zh_TW/user_webdavauth.po | 11 +- lib/l10n/ar.php | 1 - lib/l10n/bg_BG.php | 1 - lib/l10n/ca.php | 1 - lib/l10n/cs_CZ.php | 9 +- lib/l10n/cy_GB.php | 1 - lib/l10n/da.php | 1 - lib/l10n/de.php | 1 - lib/l10n/de_CH.php | 1 - lib/l10n/de_DE.php | 1 - lib/l10n/el.php | 1 - lib/l10n/es.php | 1 - lib/l10n/es_AR.php | 1 - lib/l10n/et_EE.php | 1 - lib/l10n/eu.php | 1 - lib/l10n/fa.php | 1 - lib/l10n/fi_FI.php | 1 - lib/l10n/fr.php | 1 - lib/l10n/gl.php | 1 - lib/l10n/hu_HU.php | 1 - lib/l10n/id.php | 1 - lib/l10n/it.php | 1 - lib/l10n/ja_JP.php | 9 +- lib/l10n/ka_GE.php | 1 - lib/l10n/ko.php | 1 - lib/l10n/lv.php | 14 ++- lib/l10n/my_MM.php | 1 - lib/l10n/nl.php | 9 +- lib/l10n/pl.php | 1 - lib/l10n/pt_BR.php | 1 - lib/l10n/pt_PT.php | 1 - lib/l10n/ro.php | 1 - lib/l10n/ru.php | 9 +- lib/l10n/sk_SK.php | 1 - lib/l10n/sl.php | 1 - lib/l10n/sq.php | 1 - lib/l10n/sr.php | 1 - lib/l10n/sv.php | 9 +- lib/l10n/th_TH.php | 1 - lib/l10n/tr.php | 1 - lib/l10n/uk.php | 1 - lib/l10n/vi.php | 1 - lib/l10n/zh_CN.php | 3 +- lib/l10n/zh_TW.php | 1 - settings/l10n/ar.php | 1 + settings/l10n/bn_BD.php | 1 + settings/l10n/cs_CZ.php | 1 + settings/l10n/da.php | 1 + settings/l10n/de_DE.php | 1 + settings/l10n/eo.php | 1 + settings/l10n/es.php | 1 + settings/l10n/et_EE.php | 1 + settings/l10n/eu.php | 1 + settings/l10n/fa.php | 1 + settings/l10n/fi_FI.php | 1 + settings/l10n/fr.php | 1 + settings/l10n/he.php | 1 + settings/l10n/id.php | 1 + settings/l10n/is.php | 1 + settings/l10n/it.php | 1 + settings/l10n/ko.php | 1 + settings/l10n/ku_IQ.php | 1 + settings/l10n/lv.php | 14 +++ settings/l10n/mk.php | 1 + settings/l10n/nb_NO.php | 1 + settings/l10n/nl.php | 4 + settings/l10n/ro.php | 1 + settings/l10n/ru.php | 1 + settings/l10n/si_LK.php | 1 + settings/l10n/sk_SK.php | 1 + settings/l10n/sl.php | 1 + settings/l10n/sr.php | 1 + settings/l10n/sv.php | 1 + settings/l10n/ta_LK.php | 1 + settings/l10n/ug.php | 1 + settings/l10n/uk.php | 1 + settings/l10n/vi.php | 1 + settings/l10n/zh_CN.php | 12 ++ settings/l10n/zh_TW.php | 1 + 686 files changed, 12471 insertions(+), 13104 deletions(-) diff --git a/apps/files/l10n/cs_CZ.php b/apps/files/l10n/cs_CZ.php index 2fe09db1f99..a2131c2d20a 100644 --- a/apps/files/l10n/cs_CZ.php +++ b/apps/files/l10n/cs_CZ.php @@ -32,7 +32,7 @@ $TRANSLATIONS = array( "cancel" => "zrušit", "replaced {new_name} with {old_name}" => "nahrazeno {new_name} s {old_name}", "undo" => "vrátit zpět", -"_Uploading %n file_::_Uploading %n files_" => array("","",""), +"_Uploading %n file_::_Uploading %n files_" => array("Nahrávám %n soubor","Nahrávám %n soubory","Nahrávám %n souborů"), "files uploading" => "soubory se odesílají", "'.' is an invalid file name." => "'.' je neplatným názvem souboru.", "File name cannot be empty." => "Název souboru nemůže být prázdný řetězec.", @@ -44,8 +44,8 @@ $TRANSLATIONS = array( "Name" => "Název", "Size" => "Velikost", "Modified" => "Upraveno", -"_%n folder_::_%n folders_" => array("","",""), -"_%n file_::_%n files_" => array("","",""), +"_%n folder_::_%n folders_" => array("%n složka","%n složky","%n složek"), +"_%n file_::_%n files_" => array("%n soubor","%n soubory","%n souborů"), "%s could not be renamed" => "%s nemůže být přejmenován", "Upload" => "Odeslat", "File handling" => "Zacházení se soubory", diff --git a/apps/files/l10n/ja_JP.php b/apps/files/l10n/ja_JP.php index 0733f0e7925..4ae46e79003 100644 --- a/apps/files/l10n/ja_JP.php +++ b/apps/files/l10n/ja_JP.php @@ -32,7 +32,7 @@ $TRANSLATIONS = array( "cancel" => "キャンセル", "replaced {new_name} with {old_name}" => "{old_name} を {new_name} に置換", "undo" => "元に戻す", -"_Uploading %n file_::_Uploading %n files_" => array(""), +"_Uploading %n file_::_Uploading %n files_" => array("%n 個のファイルをアップロード中"), "files uploading" => "ファイルをアップロード中", "'.' is an invalid file name." => "'.' は無効なファイル名です。", "File name cannot be empty." => "ファイル名を空にすることはできません。", diff --git a/apps/files/l10n/lv.php b/apps/files/l10n/lv.php index 0eeff3a5906..f6ded76e109 100644 --- a/apps/files/l10n/lv.php +++ b/apps/files/l10n/lv.php @@ -2,6 +2,8 @@ $TRANSLATIONS = array( "Could not move %s - File with this name already exists" => "Nevarēja pārvietot %s — jau eksistē datne ar tādu nosaukumu", "Could not move %s" => "Nevarēja pārvietot %s", +"Unable to set upload directory." => "Nevar uzstādīt augšupielādes mapi.", +"Invalid Token" => "Nepareiza pilnvara", "No file was uploaded. Unknown error" => "Netika augšupielādēta neviena datne. Nezināma kļūda", "There is no error, the file uploaded with success" => "Viss kārtībā, datne augšupielādēta veiksmīga", "The uploaded file exceeds the upload_max_filesize directive in php.ini: " => "Augšupielādētā datne pārsniedz upload_max_filesize norādījumu php.ini datnē:", @@ -18,6 +20,7 @@ $TRANSLATIONS = array( "Upload cancelled." => "Augšupielāde ir atcelta.", "File upload is in progress. Leaving the page now will cancel the upload." => "Notiek augšupielāde. Pametot lapu tagad, tiks atcelta augšupielāde.", "URL cannot be empty." => "URL nevar būt tukšs.", +"Invalid folder name. Usage of 'Shared' is reserved by ownCloud" => "Kļūdains mapes nosaukums. 'Shared' lietošana ir rezervēta no ownCloud", "Error" => "Kļūda", "Share" => "Dalīties", "Delete permanently" => "Dzēst pavisam", @@ -29,7 +32,8 @@ $TRANSLATIONS = array( "cancel" => "atcelt", "replaced {new_name} with {old_name}" => "aizvietoja {new_name} ar {old_name}", "undo" => "atsaukt", -"_Uploading %n file_::_Uploading %n files_" => array("","",""), +"_Uploading %n file_::_Uploading %n files_" => array("%n","Augšupielāde %n failu","Augšupielāde %n failus"), +"files uploading" => "fails augšupielādējas", "'.' is an invalid file name." => "'.' ir nederīgs datnes nosaukums.", "File name cannot be empty." => "Datnes nosaukums nevar būt tukšs.", "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Nederīgs nosaukums, nav atļauti '\\', '/', '<', '>', ':', '\"', '|', '?' un '*'.", @@ -40,8 +44,9 @@ $TRANSLATIONS = array( "Name" => "Nosaukums", "Size" => "Izmērs", "Modified" => "Mainīts", -"_%n folder_::_%n folders_" => array("","",""), -"_%n file_::_%n files_" => array("","",""), +"_%n folder_::_%n folders_" => array("%n mapes","%n mape","%n mapes"), +"_%n file_::_%n files_" => array("%n faili","%n fails","%n faili"), +"%s could not be renamed" => "%s nevar tikt pārsaukts", "Upload" => "Augšupielādēt", "File handling" => "Datņu pārvaldība", "Maximum upload size" => "Maksimālais datņu augšupielādes apjoms", @@ -66,6 +71,8 @@ $TRANSLATIONS = array( "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Augšupielādējamās datnes pārsniedz servera pieļaujamo datņu augšupielādes apjomu", "Files are being scanned, please wait." => "Datnes šobrīd tiek caurskatītas, lūdzu, uzgaidiet.", "Current scanning" => "Šobrīd tiek caurskatīts", +"directory" => "direktorija", +"directories" => "direktorijas", "file" => "fails", "files" => "faili", "Upgrading filesystem cache..." => "Uzlabo datņu sistēmas kešatmiņu..." diff --git a/apps/files/l10n/nb_NO.php b/apps/files/l10n/nb_NO.php index 5e43740cc20..d76255f522d 100644 --- a/apps/files/l10n/nb_NO.php +++ b/apps/files/l10n/nb_NO.php @@ -3,6 +3,7 @@ $TRANSLATIONS = array( "Could not move %s - File with this name already exists" => "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.", +"Invalid Token" => "Ugyldig nøkkel", "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.", @@ -23,28 +24,29 @@ $TRANSLATIONS = array( "Error" => "Feil", "Share" => "Del", "Delete permanently" => "Slett permanent", -"Rename" => "Omdøp", +"Rename" => "Gi nytt navn", "Pending" => "Ventende", "{new_name} already exists" => "{new_name} finnes allerede", "replace" => "erstatt", "suggest name" => "foreslå navn", "cancel" => "avbryt", -"replaced {new_name} with {old_name}" => "erstatt {new_name} med {old_name}", +"replaced {new_name} with {old_name}" => "erstattet {new_name} med {old_name}", "undo" => "angre", -"_Uploading %n file_::_Uploading %n files_" => array("",""), +"_Uploading %n file_::_Uploading %n files_" => array("Laster opp %n fil","Laster opp %n filer"), "files uploading" => "filer lastes opp", "'.' is an invalid file name." => "'.' er et ugyldig filnavn.", "File name cannot be empty." => "Filnavn kan ikke være tomt.", "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Ugyldig navn, '\\', '/', '<', '>', ':', '\"', '|', '?' og '*' er ikke tillatt.", "Your storage is full, files can not be updated or synced anymore!" => "Lagringsplass er oppbrukt, filer kan ikke lenger oppdateres eller synkroniseres!", -"Your storage is almost full ({usedSpacePercent}%)" => "Lagringsplass er nesten oppbruker ([usedSpacePercent}%)", +"Your storage is almost full ({usedSpacePercent}%)" => "Lagringsplass er nesten brukt opp ([usedSpacePercent}%)", "Your download is being prepared. This might take some time if the files are big." => "Nedlastingen din klargjøres. Hvis filene er store kan dette ta litt tid.", "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Ugyldig mappenavn. Bruk av \"Shared\" er reservert av ownCloud.", "Name" => "Navn", "Size" => "Størrelse", "Modified" => "Endret", -"_%n folder_::_%n folders_" => array("",""), -"_%n file_::_%n files_" => array("",""), +"_%n folder_::_%n folders_" => array("%n mappe","%n mapper"), +"_%n file_::_%n files_" => array("%n fil","%n filer"), +"%s could not be renamed" => "Kunne ikke gi nytt navn til %s", "Upload" => "Last opp", "File handling" => "Filhåndtering", "Maximum upload size" => "Maksimum opplastingsstørrelse", @@ -67,7 +69,7 @@ $TRANSLATIONS = array( "Delete" => "Slett", "Upload too large" => "Filen er for stor", "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Filene du prøver å laste opp er for store for å laste opp til denne serveren.", -"Files are being scanned, please wait." => "Skanner etter filer, vennligst vent.", +"Files are being scanned, please wait." => "Skanner filer, vennligst vent.", "Current scanning" => "Pågående skanning", "directory" => "katalog", "directories" => "kataloger", diff --git a/apps/files/l10n/nl.php b/apps/files/l10n/nl.php index adaf07a378e..5648ae9b350 100644 --- a/apps/files/l10n/nl.php +++ b/apps/files/l10n/nl.php @@ -32,7 +32,7 @@ $TRANSLATIONS = array( "cancel" => "annuleren", "replaced {new_name} with {old_name}" => "verving {new_name} met {old_name}", "undo" => "ongedaan maken", -"_Uploading %n file_::_Uploading %n files_" => array("",""), +"_Uploading %n file_::_Uploading %n files_" => array("%n bestand aan het uploaden","%n bestanden aan het uploaden"), "files uploading" => "bestanden aan het uploaden", "'.' is an invalid file name." => "'.' is een ongeldige bestandsnaam.", "File name cannot be empty." => "Bestandsnaam kan niet leeg zijn.", @@ -44,8 +44,8 @@ $TRANSLATIONS = array( "Name" => "Naam", "Size" => "Grootte", "Modified" => "Aangepast", -"_%n folder_::_%n folders_" => array("",""), -"_%n file_::_%n files_" => array("",""), +"_%n folder_::_%n folders_" => array("","%n mappen"), +"_%n file_::_%n files_" => array("","%n bestanden"), "%s could not be renamed" => "%s kon niet worden hernoemd", "Upload" => "Uploaden", "File handling" => "Bestand", diff --git a/apps/files/l10n/ru.php b/apps/files/l10n/ru.php index c4f9342a3f5..fe771d2b571 100644 --- a/apps/files/l10n/ru.php +++ b/apps/files/l10n/ru.php @@ -32,7 +32,7 @@ $TRANSLATIONS = array( "cancel" => "отмена", "replaced {new_name} with {old_name}" => "заменено {new_name} на {old_name}", "undo" => "отмена", -"_Uploading %n file_::_Uploading %n files_" => array("","",""), +"_Uploading %n file_::_Uploading %n files_" => array("Закачка %n файла","Закачка %n файлов","Закачка %n файлов"), "files uploading" => "файлы загружаются", "'.' is an invalid file name." => "'.' - неправильное имя файла.", "File name cannot be empty." => "Имя файла не может быть пустым.", @@ -44,8 +44,8 @@ $TRANSLATIONS = array( "Name" => "Имя", "Size" => "Размер", "Modified" => "Изменён", -"_%n folder_::_%n folders_" => array("","",""), -"_%n file_::_%n files_" => array("","",""), +"_%n folder_::_%n folders_" => array("%n папка","%n папки","%n папок"), +"_%n file_::_%n files_" => array("%n файл","%n файла","%n файлов"), "%s could not be renamed" => "%s не может быть переименован", "Upload" => "Загрузка", "File handling" => "Управление файлами", diff --git a/apps/files/l10n/sv.php b/apps/files/l10n/sv.php index 5251e2ade26..574dc3728af 100644 --- a/apps/files/l10n/sv.php +++ b/apps/files/l10n/sv.php @@ -32,7 +32,7 @@ $TRANSLATIONS = array( "cancel" => "avbryt", "replaced {new_name} with {old_name}" => "ersatt {new_name} med {old_name}", "undo" => "ångra", -"_Uploading %n file_::_Uploading %n files_" => array("",""), +"_Uploading %n file_::_Uploading %n files_" => array("Laddar upp %n fil","Laddar upp %n filer"), "files uploading" => "filer laddas upp", "'.' is an invalid file name." => "'.' är ett ogiltigt filnamn.", "File name cannot be empty." => "Filnamn kan inte vara tomt.", @@ -44,8 +44,8 @@ $TRANSLATIONS = array( "Name" => "Namn", "Size" => "Storlek", "Modified" => "Ändrad", -"_%n folder_::_%n folders_" => array("",""), -"_%n file_::_%n files_" => array("",""), +"_%n folder_::_%n folders_" => array("%n mapp","%n mappar"), +"_%n file_::_%n files_" => array("%n fil","%n filer"), "%s could not be renamed" => "%s kunde inte namnändras", "Upload" => "Ladda upp", "File handling" => "Filhantering", diff --git a/apps/files/l10n/zh_CN.php b/apps/files/l10n/zh_CN.php index ddd3955c2fa..495e9d9d9dd 100644 --- a/apps/files/l10n/zh_CN.php +++ b/apps/files/l10n/zh_CN.php @@ -44,8 +44,8 @@ $TRANSLATIONS = array( "Name" => "名称", "Size" => "大小", "Modified" => "修改日期", -"_%n folder_::_%n folders_" => array(""), -"_%n file_::_%n files_" => array(""), +"_%n folder_::_%n folders_" => array("%n 文件夹"), +"_%n file_::_%n files_" => array("%n个文件"), "%s could not be renamed" => "%s 不能被重命名", "Upload" => "上传", "File handling" => "文件处理", diff --git a/apps/files_encryption/l10n/ru.php b/apps/files_encryption/l10n/ru.php index 76fd8c5ba53..e0d52399c73 100644 --- a/apps/files_encryption/l10n/ru.php +++ b/apps/files_encryption/l10n/ru.php @@ -10,6 +10,8 @@ $TRANSLATIONS = array( "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 OpenSSL together with the PHP extension is enabled and configured properly. For now, the encryption app has been disabled." => "Пожалуйста, убедитесь, что версия PHP 5.3.3 или новее, а также, что OpenSSL и соответствующее расширение PHP включены и правильно настроены. На данный момент приложение шифрования отключено.", +"Following users are not set up for encryption:" => "Для следующих пользователей шифрование не настроено:", "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_external/l10n/lv.php b/apps/files_external/l10n/lv.php index bc9e3aeefe7..d0db01a22b5 100644 --- a/apps/files_external/l10n/lv.php +++ b/apps/files_external/l10n/lv.php @@ -7,6 +7,7 @@ $TRANSLATIONS = array( "Error configuring Google Drive storage" => "Kļūda, konfigurējot Google Drive krātuvi", "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares is not possible. Please ask your system administrator to install it." => "Brīdinājums: nav uzinstalēts “smbclient”. Nevar montēt CIFS/SMB koplietojumus. Lūdzu, vaicājiet savam sistēmas administratoram, lai to uzinstalē.", "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." => "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ē.", +"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." => "Brīdinājums: PHP Curl atbalsts nav instalēts. OwnCloud / WebDAV vai GoogleDrive montēšana nav iespējama. Lūdziet sistēmas administratoram lai tas tiek uzstādīts.", "External Storage" => "Ārējā krātuve", "Folder name" => "Mapes nosaukums", "External storage" => "Ārējā krātuve", diff --git a/apps/files_sharing/l10n/zh_CN.php b/apps/files_sharing/l10n/zh_CN.php index 37898a1cd00..f541d6c155a 100644 --- a/apps/files_sharing/l10n/zh_CN.php +++ b/apps/files_sharing/l10n/zh_CN.php @@ -1,7 +1,14 @@ "用户名或密码错误!请重试", "Password" => "密码", "Submit" => "提交", +"Sorry, this link doesn’t seem to work anymore." => "抱歉,此链接已失效", +"Reasons might be:" => "可能原因是:", +"the item was removed" => "此项已移除", +"the link expired" => "链接过期", +"sharing is disabled" => "共享已禁用", +"For more info, please ask the person who sent this link." => "欲知详情,请联系发给你链接的人。", "%s shared the folder %s with you" => "%s与您共享了%s文件夹", "%s shared the file %s with you" => "%s与您共享了%s文件", "Download" => "下载", diff --git a/apps/files_trashbin/l10n/cs_CZ.php b/apps/files_trashbin/l10n/cs_CZ.php index 383d2a217f7..f0bebee742f 100644 --- a/apps/files_trashbin/l10n/cs_CZ.php +++ b/apps/files_trashbin/l10n/cs_CZ.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Trvale odstranit", "Name" => "Název", "Deleted" => "Smazáno", -"_%n folder_::_%n folders_" => array("","",""), -"_%n file_::_%n files_" => array("","",""), +"_%n folder_::_%n folders_" => array("%n adresář","%n adresáře","%n adresářů"), +"_%n file_::_%n files_" => array("%n soubor","%n soubory","%n souborů"), "restored" => "obnoveno", "Nothing in here. Your trash bin is empty!" => "Žádný obsah. Váš koš je prázdný.", "Restore" => "Obnovit", diff --git a/apps/files_trashbin/l10n/lv.php b/apps/files_trashbin/l10n/lv.php index ccbf117fdad..ca833b24208 100644 --- a/apps/files_trashbin/l10n/lv.php +++ b/apps/files_trashbin/l10n/lv.php @@ -8,8 +8,9 @@ $TRANSLATIONS = array( "Delete permanently" => "Dzēst pavisam", "Name" => "Nosaukums", "Deleted" => "Dzēsts", -"_%n folder_::_%n folders_" => array("","",""), -"_%n file_::_%n files_" => array("","",""), +"_%n folder_::_%n folders_" => array("Nekas, %n mapes","%n mape","%n mapes"), +"_%n file_::_%n files_" => array("Neviens! %n faaili","%n fails","%n faili"), +"restored" => "atjaunots", "Nothing in here. Your trash bin is empty!" => "Šeit nekā nav. Jūsu miskaste ir tukša!", "Restore" => "Atjaunot", "Delete" => "Dzēst", diff --git a/apps/files_trashbin/l10n/nb_NO.php b/apps/files_trashbin/l10n/nb_NO.php index 8a69b3d87aa..8eb3bc1846f 100644 --- a/apps/files_trashbin/l10n/nb_NO.php +++ b/apps/files_trashbin/l10n/nb_NO.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Slett permanent", "Name" => "Navn", "Deleted" => "Slettet", -"_%n folder_::_%n folders_" => array("",""), -"_%n file_::_%n files_" => array("",""), +"_%n folder_::_%n folders_" => array("","%n mapper"), +"_%n file_::_%n files_" => array("","%n filer"), "Nothing in here. Your trash bin is empty!" => "Ingenting her. Søppelkassen din er tom!", "Restore" => "Gjenopprett", "Delete" => "Slett", diff --git a/apps/files_trashbin/l10n/nl.php b/apps/files_trashbin/l10n/nl.php index 2c6dcb2fcbf..b3ae57da563 100644 --- a/apps/files_trashbin/l10n/nl.php +++ b/apps/files_trashbin/l10n/nl.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Verwijder definitief", "Name" => "Naam", "Deleted" => "Verwijderd", -"_%n folder_::_%n folders_" => array("",""), -"_%n file_::_%n files_" => array("",""), +"_%n folder_::_%n folders_" => array("%n map","%n mappen"), +"_%n file_::_%n files_" => array("%n bestand","%n bestanden"), "restored" => "hersteld", "Nothing in here. Your trash bin is empty!" => "Niets te vinden. Uw prullenbak is leeg!", "Restore" => "Herstellen", diff --git a/apps/files_trashbin/l10n/ru.php b/apps/files_trashbin/l10n/ru.php index 909e4d7131f..5f52263a118 100644 --- a/apps/files_trashbin/l10n/ru.php +++ b/apps/files_trashbin/l10n/ru.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Удалено навсегда", "Name" => "Имя", "Deleted" => "Удалён", -"_%n folder_::_%n folders_" => array("","",""), -"_%n file_::_%n files_" => array("","",""), +"_%n folder_::_%n folders_" => array("","","%n папок"), +"_%n file_::_%n files_" => array("","","%n файлов"), "restored" => "восстановлен", "Nothing in here. Your trash bin is empty!" => "Здесь ничего нет. Ваша корзина пуста!", "Restore" => "Восстановить", diff --git a/apps/files_trashbin/l10n/sv.php b/apps/files_trashbin/l10n/sv.php index b0752cbbe8b..47a52f25736 100644 --- a/apps/files_trashbin/l10n/sv.php +++ b/apps/files_trashbin/l10n/sv.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Radera permanent", "Name" => "Namn", "Deleted" => "Raderad", -"_%n folder_::_%n folders_" => array("",""), -"_%n file_::_%n files_" => array("",""), +"_%n folder_::_%n folders_" => array("%n mapp","%n mappar"), +"_%n file_::_%n files_" => array("%n fil","%n filer"), "restored" => "återställd", "Nothing in here. Your trash bin is empty!" => "Ingenting här. Din papperskorg är tom!", "Restore" => "Återskapa", diff --git a/apps/files_trashbin/l10n/zh_CN.php b/apps/files_trashbin/l10n/zh_CN.php index 6609f57d9cf..dc2d5b4c00e 100644 --- a/apps/files_trashbin/l10n/zh_CN.php +++ b/apps/files_trashbin/l10n/zh_CN.php @@ -8,8 +8,9 @@ $TRANSLATIONS = array( "Delete permanently" => "永久删除", "Name" => "名称", "Deleted" => "已删除", -"_%n folder_::_%n folders_" => array(""), -"_%n file_::_%n files_" => array(""), +"_%n folder_::_%n folders_" => array("%n 文件夹"), +"_%n file_::_%n files_" => array("%n个文件"), +"restored" => "已恢复", "Nothing in here. Your trash bin is empty!" => "这里没有东西. 你的回收站是空的!", "Restore" => "恢复", "Delete" => "删除", diff --git a/apps/user_ldap/l10n/bn_BD.php b/apps/user_ldap/l10n/bn_BD.php index ae8571e3d87..407d5f509ec 100644 --- a/apps/user_ldap/l10n/bn_BD.php +++ b/apps/user_ldap/l10n/bn_BD.php @@ -10,19 +10,12 @@ $TRANSLATIONS = array( "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 স্থানধারক ব্যবহার করুন, উদাহরণঃ \"uid=%%uid\"", "User List Filter" => "ব্যবহারকারী তালিকা ছাঁকনী", -"Defines the filter to apply, when retrieving users." => "ব্যবহারকারী উদ্ধার করার সময় প্রয়োগের জন্য ছাঁকনী নির্ধারণ করবে।", -"without any placeholder, e.g. \"objectClass=person\"." => "কোন স্থানধারক ব্যতীত, যেমনঃ \"objectClass=person\"।", "Group Filter" => "গোষ্ঠী ছাঁকনী", -"Defines the filter to apply, when retrieving groups." => "গোষ্ঠীসমূহ উদ্ধার করার সময় প্রয়োগের জন্য ছাঁকনী নির্ধারণ করবে।", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "কোন স্থান ধারক ব্যতীত, উদাহরণঃ\"objectClass=posixGroup\"।", "Port" => "পোর্ট", "Use TLS" => "TLS ব্যবহার কর", "Case insensitve LDAP server (Windows)" => "বর্ণ অসংবেদী LDAP সার্ভার (উইন্ডোজ)", "Turn off SSL certificate validation." => "SSL সনদপত্র যাচাইকরণ বন্ধ রাক।", -"Not recommended, use for testing only." => "অনুমোদিত নয়, শুধুমাত্র পরীক্ষামূলক ব্যবহারের জন্য।", "in seconds. A change empties the cache." => "সেকেন্ডে। কোন পরিবর্তন ক্যাসে খালি করবে।", "User Display Name Field" => "ব্যবহারকারীর প্রদর্শিতব্য নামের ক্ষেত্র", "Base User Tree" => "ভিত্তি ব্যবহারকারি বৃক্ষাকারে", diff --git a/apps/user_ldap/l10n/ca.php b/apps/user_ldap/l10n/ca.php index a6b34399cd4..338317baad7 100644 --- a/apps/user_ldap/l10n/ca.php +++ b/apps/user_ldap/l10n/ca.php @@ -30,14 +30,8 @@ $TRANSLATIONS = array( "Password" => "Contrasenya", "For anonymous access, leave DN and Password empty." => "Per un accés anònim, deixeu la DN i la contrasenya en blanc.", "User Login Filter" => "Filtre d'inici de sessió d'usuari", -"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action." => "Defineix el filtre a aplicar quan s'intenta l'inici de sessió. %%uid reemplaça el nom d'usuari en l'acció d'inici de sessió.", -"use %%uid placeholder, e.g. \"uid=%%uid\"" => "useu el paràmetre de substitució %%uid, per exemple \"uid=%%uid\"", "User List Filter" => "Llista de filtres d'usuari", -"Defines the filter to apply, when retrieving users." => "Defineix el filtre a aplicar quan es mostren usuaris", -"without any placeholder, e.g. \"objectClass=person\"." => "sense cap paràmetre de substitució, per exemple \"objectClass=persona\"", "Group Filter" => "Filtre de grup", -"Defines the filter to apply, when retrieving groups." => "Defineix el filtre a aplicar quan es mostren grups.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "sense cap paràmetre de substitució, per exemple \"objectClass=grupPosix\".", "Connection Settings" => "Arranjaments de connexió", "Configuration Active" => "Configuració activa", "When unchecked, this configuration will be skipped." => "Si està desmarcat, aquesta configuració s'ometrà.", @@ -51,8 +45,6 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "No ho useu adicionalment per a conexions LDAPS, fallarà.", "Case insensitve LDAP server (Windows)" => "Servidor LDAP sense distinció entre majúscules i minúscules (Windows)", "Turn off SSL certificate validation." => "Desactiva la validació de certificat SSL.", -"If connection only works with this option, import the LDAP server's SSL certificate in your %s server." => "Si la connexió només funciona amb aquesta opció, importeu el certificat SSL del servidor LDAP en el vostre servidor %s.", -"Not recommended, use for testing only." => "No recomanat, ús només per proves.", "Cache Time-To-Live" => "Memòria de cau Time-To-Live", "in seconds. A change empties the cache." => "en segons. Un canvi buidarà la memòria de cau.", "Directory Settings" => "Arranjaments de carpetes", diff --git a/apps/user_ldap/l10n/cs_CZ.php b/apps/user_ldap/l10n/cs_CZ.php index 165946a3b30..a5f20cbf134 100644 --- a/apps/user_ldap/l10n/cs_CZ.php +++ b/apps/user_ldap/l10n/cs_CZ.php @@ -4,9 +4,9 @@ $TRANSLATIONS = array( "Failed to delete the server configuration" => "Selhalo smazání nastavení serveru", "The configuration is valid and the connection could be established!" => "Nastavení je v pořádku a spojení bylo navázáno.", "The configuration is valid, but the Bind failed. Please check the server settings and credentials." => "Konfigurace je v pořádku, ale spojení selhalo. Zkontrolujte, prosím, nastavení serveru a přihlašovací údaje.", -"The configuration is invalid. Please look in the ownCloud log for further details." => "Nastavení je neplatné. Zkontrolujte, prosím, záznam ownCloud pro další podrobnosti.", -"Deletion failed" => "Mazání selhalo.", -"Take over settings from recent server configuration?" => "Převzít nastavení z nedávného nastavení serveru?", +"The configuration is invalid. Please look in the ownCloud log for further details." => "Nastavení je neplatné. Zkontrolujte, prosím, záznamy ownCloud pro další podrobnosti.", +"Deletion failed" => "Mazání selhalo", +"Take over settings from recent server configuration?" => "Převzít nastavení z nedávné konfigurace serveru?", "Keep settings?" => "Ponechat nastavení?", "Cannot add server configuration" => "Nelze přidat nastavení serveru", "mappings cleared" => "mapování zrušeno", @@ -17,7 +17,7 @@ $TRANSLATIONS = array( "Do you really want to delete the current Server Configuration?" => "Opravdu si přejete smazat současné nastavení serveru?", "Confirm Deletion" => "Potvrdit smazání", "Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them." => "Varování: Aplikace user_ldap a user_webdavauth jsou vzájemně nekompatibilní. Můžete zaznamenat neočekávané chování. Požádejte prosím vašeho systémového administrátora o zakázání jednoho z nich.", -"Warning: The PHP LDAP module is not installed, the backend will not work. Please ask your system administrator to install it." => "Varování: není nainstalován LDAP modul pro PHP, podpůrná vrstva nebude fungovat. Požádejte, prosím, správce systému aby jej nainstaloval.", +"Warning: The PHP LDAP module is not installed, the backend will not work. Please ask your system administrator to install it." => "Varování: není nainstalován LDAP modul pro PHP, podpůrná vrstva nebude fungovat. Požádejte, prosím, správce systému, aby jej nainstaloval.", "Server configuration" => "Nastavení serveru", "Add Server Configuration" => "Přidat nastavení serveru", "Host" => "Počítač", @@ -26,42 +26,34 @@ $TRANSLATIONS = array( "One Base DN per line" => "Jedna základní DN na řádku", "You can specify Base DN for users and groups in the Advanced tab" => "V rozšířeném nastavení můžete určit základní DN pro uživatele a skupiny", "User DN" => "Uživatelské 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 klentského uživatele ke kterému tvoříte vazbu, např. uid=agent,dc=example,dc=com. Pro anonymní přístup ponechte údaje DN and Heslo prázdné.", +"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 klientského uživatele, ke kterému tvoříte vazbu, např. uid=agent,dc=example,dc=com. Pro anonymní přístup ponechte DN a heslo prázdné.", "Password" => "Heslo", -"For anonymous access, leave DN and Password empty." => "Pro anonymní přístup, ponechte údaje DN and heslo prázdné.", +"For anonymous access, leave DN and Password empty." => "Pro anonymní přístup ponechte údaje DN and heslo prázdné.", "User Login Filter" => "Filtr přihlášení uživatelů", -"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action." => "Určuje použitý filtr, při pokusu o přihlášení. %%uid nahrazuje uživatelské jméno v činnosti přihlášení.", -"use %%uid placeholder, e.g. \"uid=%%uid\"" => "použijte zástupný vzor %%uid, např. \"uid=%%uid\"", -"User List Filter" => "Filtr uživatelských seznamů", -"Defines the filter to apply, when retrieving users." => "Určuje použitý filtr, pro získávaní uživatelů.", -"without any placeholder, e.g. \"objectClass=person\"." => "bez zástupných znaků, např. \"objectClass=person\".", +"User List Filter" => "Filtr seznamu uživatelů", "Group Filter" => "Filtr skupin", -"Defines the filter to apply, when retrieving groups." => "Určuje použitý filtr, pro získávaní skupin.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "bez zástupných znaků, např. \"objectClass=posixGroup\".", "Connection Settings" => "Nastavení spojení", "Configuration Active" => "Nastavení aktivní", -"When unchecked, this configuration will be skipped." => "Pokud není zaškrtnuto, bude nastavení přeskočeno.", +"When unchecked, this configuration will be skipped." => "Pokud není zaškrtnuto, bude toto nastavení přeskočeno.", "Port" => "Port", "Backup (Replica) Host" => "Záložní (kopie) hostitel", "Give an optional backup host. It must be a replica of the main LDAP/AD server." => "Zadejte volitelného záložního hostitele. Musí to být kopie hlavního serveru LDAP/AD.", "Backup (Replica) Port" => "Záložní (kopie) port", -"Disable Main Server" => "Zakázat hlavní serveru", -"Only connect to the replica server." => "Připojit jen k replikujícímu serveru.", +"Disable Main Server" => "Zakázat hlavní server", +"Only connect to the replica server." => "Připojit jen k záložnímu serveru.", "Use TLS" => "Použít TLS", -"Do not use it additionally for LDAPS connections, it will fail." => "Nepoužívejte pro spojení LDAP, selže.", +"Do not use it additionally for LDAPS connections, it will fail." => "Nepoužívejte v kombinaci s LDAPS spojením, nebude to fungovat.", "Case insensitve LDAP server (Windows)" => "LDAP server nerozlišující velikost znaků (Windows)", "Turn off SSL certificate validation." => "Vypnout ověřování SSL certifikátu.", -"If connection only works with this option, import the LDAP server's SSL certificate in your %s server." => "Pokud spojení funguje jen s touto volbou, importujte SSL certifikát vašeho LDAP serveru na server %s.", -"Not recommended, use for testing only." => "Není doporučeno, pouze pro testovací účely.", "Cache Time-To-Live" => "TTL vyrovnávací paměti", -"in seconds. A change empties the cache." => "ve vteřinách. Změna vyprázdní vyrovnávací paměť.", +"in seconds. A change empties the cache." => "v sekundách. Změna vyprázdní vyrovnávací paměť.", "Directory Settings" => "Nastavení adresáře", "User Display Name Field" => "Pole zobrazovaného jména uživatele", "The LDAP attribute to use to generate the user's display name." => "LDAP atribut použitý k vytvoření zobrazovaného jména uživatele.", "Base User Tree" => "Základní uživatelský strom", "One User Base DN per line" => "Jedna uživatelská základní DN na řádku", "User Search Attributes" => "Atributy vyhledávání uživatelů", -"Optional; one attribute per line" => "Volitelné, atribut na řádku", +"Optional; one attribute per line" => "Volitelné, jeden atribut na řádku", "Group Display Name Field" => "Pole zobrazovaného jména skupiny", "The LDAP attribute to use to generate the groups's display name." => "LDAP atribut použitý k vytvoření zobrazovaného jména skupiny.", "Base Group Tree" => "Základní skupinový strom", @@ -76,13 +68,13 @@ $TRANSLATIONS = array( "User Home Folder Naming Rule" => "Pravidlo pojmenování domovské složky uživatele", "Leave empty for user name (default). Otherwise, specify an LDAP/AD attribute." => "Ponechte prázdné pro uživatelské jméno (výchozí). Jinak uveďte LDAP/AD parametr.", "Internal Username" => "Interní uživatelské jméno", -"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." => "Ve výchozím nastavení bude uživatelské jméno vytvořeno z UUID atributu. To zajistí unikátnost uživatelského jména bez potřeby konverze znaků. Interní uživatelské jméno je omezena na znaky: [ a-zA-Z0-9_.@- ]. Ostatní znaky jsou nahrazeny jejich ASCII ekvivalentem nebo jednoduše vynechány. V případě kolize uživatelských jmen bude přidáno/navýšeno číslo. Interní uživatelské jméno je používáno k interní identifikaci uživatele. Je také výchozím názvem uživatelského domovského adresáře. Je také součástí URL pro vzdálený přístup, například všech *DAV služeb. S tímto nastavením bude výchozí chování přepsáno. Pro dosažení podobného chování jako před ownCloudem 5 uveďte atribut zobrazovaného jména do pole níže. Ponechte prázdné pro výchozí chování. Změna bude mít vliv jen na nově namapované (přidané) uživatele z LDAP.", +"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." => "Ve výchozím nastavení bude uživatelské jméno vytvořeno z UUID atributu. To zajistí unikátnost uživatelského jména a není potřeba provádět konverzi znaků. Interní uživatelské jméno je omezeno na znaky: [ a-zA-Z0-9_.@- ]. Ostatní znaky jsou nahrazeny jejich ASCII ekvivalentem nebo jednoduše vynechány. V případě kolize uživatelských jmen bude přidáno/navýšeno číslo. Interní uživatelské jméno je používáno k interní identifikaci uživatele. Je také výchozím názvem uživatelského domovského adresáře. Je také součástí URL pro vzdálený přístup, například všech *DAV služeb. S tímto nastavením může být výchozí chování změněno. Pro dosažení podobného chování jako před ownCloudem 5 uveďte atribut zobrazovaného jména do pole níže. Ponechte prázdné pro výchozí chování. Změna bude mít vliv jen na nově namapované (přidané) uživatele z LDAP.", "Internal Username Attribute:" => "Atribut interního uživatelského jména:", "Override UUID detection" => "Nastavit ručně UUID atribut", -"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." => "Ve výchozím nastavení je UUID atribut nalezen automaticky. UUID atribut je používán pro nezpochybnitelnou identifikaci uživatelů a skupin z LDAP. Navíc je na základě UUID tvořeno také interní uživatelské jméno, pokud není nastaveno jinak. Můžete výchozí nastavení přepsat a použít atribut který sami zvolíte. Musíte se ale ujistit že atribut který vyberete bude uveden jak u uživatelů, tak i u skupin a je unikátní. Ponechte prázdné pro výchozí chování. Změna bude mít vliv jen na nově namapované (přidané) uživatele a skupiny z LDAP.", +"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." => "Ve výchozím nastavení je UUID atribut nalezen automaticky. UUID atribut je používán pro nezpochybnitelnou identifikaci uživatelů a skupin z LDAP. Navíc je na základě UUID tvořeno také interní uživatelské jméno, pokud není nastaveno jinak. Můžete výchozí nastavení přepsat a použít atribut, který sami zvolíte. Musíte se ale ujistit, že atribut, který vyberete, bude uveden jak u uživatelů, tak i u skupin a je unikátní. Ponechte prázdné pro výchozí chování. Změna bude mít vliv jen na nově namapované (přidané) uživatele a skupiny z LDAP.", "UUID Attribute:" => "Atribut UUID:", "Username-LDAP User Mapping" => "Mapování uživatelských jmen z LDAPu", -"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." => "Uživatelská jména jsou používány pro uchovávání a přiřazování (meta)dat. Pro správnou identifikaci a rozpoznání uživatelů bude mít každý uživatel z LDAP interní uživatelské jméno. To je nezbytné pro mapování uživatelských jmen na uživatele LDAP. Vytvořené uživatelské jméno je mapováno na UUID uživatele v LDAP. Navíc je cachována DN pro reprodukci interakce s LDAP, ale není používána pro identifikaci. Pokud se DN změní, bude to správně rozpoznáno. Vyčištění mapování zanechá zbytky všude. Vyčištění navíc není specifické konfiguraci, bude mít vliv na všechny LDAP konfigurace! Nikdy nečistěte mapování v produkčním prostředí, jen v testovací nebo experimentální fázi.", +"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." => "Uživatelská jména jsou používány pro uchovávání a přiřazování (meta)dat. Pro správnou identifikaci a rozpoznání uživatelů bude mít každý uživatel z LDAP interní uživatelské jméno. To vyžaduje mapování uživatelských jmen na uživatele LDAP. Vytvořené uživatelské jméno je mapováno na UUID uživatele v LDAP. Navíc je cachována DN pro zmenšení interakce s LDAP, ale není používána pro identifikaci. Pokud se DN změní, bude to správně rozpoznáno. Interní uživatelské jméno se používá celé. Vyčištění mapování zanechá zbytky všude. Vyčištění navíc není specifické konfiguraci, bude mít vliv na všechny LDAP konfigurace! Nikdy nečistěte mapování v produkčním prostředí, jen v testovací nebo experimentální fázi.", "Clear Username-LDAP User Mapping" => "Zrušit mapování uživatelských jmen LDAPu", "Clear Groupname-LDAP Group Mapping" => "Zrušit mapování názvů skupin LDAPu", "Test Configuration" => "Vyzkoušet nastavení", diff --git a/apps/user_ldap/l10n/da.php b/apps/user_ldap/l10n/da.php index ab59d3ed506..e0c7acbadf8 100644 --- a/apps/user_ldap/l10n/da.php +++ b/apps/user_ldap/l10n/da.php @@ -23,11 +23,7 @@ $TRANSLATIONS = array( "For anonymous access, leave DN and Password empty." => "For anonym adgang, skal du lade DN og Adgangskode tomme.", "User Login Filter" => "Bruger Login Filter", "User List Filter" => "Brugerliste Filter", -"Defines the filter to apply, when retrieving users." => "Definere filteret der bruges ved indlæsning af brugere.", -"without any placeholder, e.g. \"objectClass=person\"." => "Uden stedfortræder, f.eks. \"objectClass=person\".", "Group Filter" => "Gruppe Filter", -"Defines the filter to apply, when retrieving groups." => "Definere filteret der bruges når der indlæses grupper.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "Uden stedfortræder, f.eks. \"objectClass=posixGroup\".", "Connection Settings" => "Forbindelsesindstillinger ", "Configuration Active" => "Konfiguration Aktiv", "Port" => "Port", @@ -38,7 +34,6 @@ $TRANSLATIONS = array( "Use TLS" => "Brug TLS", "Do not use it additionally for LDAPS connections, it will fail." => "Benyt ikke flere LDAPS forbindelser, det vil mislykkeds. ", "Turn off SSL certificate validation." => "Deaktiver SSL certifikat validering", -"Not recommended, use for testing only." => "Anbefales ikke, brug kun for at teste.", "User Display Name Field" => "User Display Name Field", "Base User Tree" => "Base Bruger Træ", "Base Group Tree" => "Base Group Tree", diff --git a/apps/user_ldap/l10n/de.php b/apps/user_ldap/l10n/de.php index 73649f7c0ac..1520cc1daa8 100644 --- a/apps/user_ldap/l10n/de.php +++ b/apps/user_ldap/l10n/de.php @@ -30,14 +30,8 @@ $TRANSLATIONS = array( "Password" => "Passwort", "For anonymous access, leave DN and Password empty." => "Lasse die Felder DN und Passwort für anonymen Zugang leer.", "User Login Filter" => "Benutzer-Login-Filter", -"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action." => "Bestimmt den angewendeten Filter, wenn eine Anmeldung versucht wird. %%uid ersetzt den Benutzernamen beim Anmeldeversuch.", -"use %%uid placeholder, e.g. \"uid=%%uid\"" => "verwende %%uid Platzhalter, z. B. \"uid=%%uid\"", "User List Filter" => "Benutzer-Filter-Liste", -"Defines the filter to apply, when retrieving users." => "Definiert den Filter für die Anfrage der Benutzer.", -"without any placeholder, e.g. \"objectClass=person\"." => "ohne Platzhalter, z.B.: \"objectClass=person\"", "Group Filter" => "Gruppen-Filter", -"Defines the filter to apply, when retrieving groups." => "Definiert den Filter für die Anfrage der Gruppen.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "ohne Platzhalter, z.B.: \"objectClass=posixGroup\"", "Connection Settings" => "Verbindungseinstellungen", "Configuration Active" => "Konfiguration aktiv", "When unchecked, this configuration will be skipped." => "Konfiguration wird übersprungen wenn deaktiviert", @@ -51,8 +45,6 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "Benutze es nicht zusammen mit LDAPS Verbindungen, es wird fehlschlagen.", "Case insensitve LDAP server (Windows)" => "LDAP-Server (Windows: Groß- und Kleinschreibung bleibt unbeachtet)", "Turn off SSL certificate validation." => "Schalte die SSL-Zertifikatsprüfung aus.", -"If connection only works with this option, import the LDAP server's SSL certificate in your %s server." => "Falls die Verbindung nur mit dieser Option funktioniert, importiere das SSL-Zertifikat des LDAP-Servers in deinen %s Server.", -"Not recommended, use for testing only." => "Nicht empfohlen, nur zu Testzwecken.", "Cache Time-To-Live" => "Speichere Time-To-Live zwischen", "in seconds. A change empties the cache." => "in Sekunden. Eine Änderung leert den Cache.", "Directory Settings" => "Ordnereinstellungen", diff --git a/apps/user_ldap/l10n/de_DE.php b/apps/user_ldap/l10n/de_DE.php index 0052b75b33a..10648493196 100644 --- a/apps/user_ldap/l10n/de_DE.php +++ b/apps/user_ldap/l10n/de_DE.php @@ -30,14 +30,8 @@ $TRANSLATIONS = array( "Password" => "Passwort", "For anonymous access, leave DN and Password empty." => "Lassen Sie die Felder DN und Passwort für einen anonymen Zugang leer.", "User Login Filter" => "Benutzer-Login-Filter", -"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action." => "Bestimmt den angewendeten Filter, wenn eine Anmeldung durchgeführt wird. %%uid ersetzt den Benutzernamen beim Anmeldeversuch.", -"use %%uid placeholder, e.g. \"uid=%%uid\"" => "verwenden Sie %%uid Platzhalter, z. B. \"uid=%%uid\"", "User List Filter" => "Benutzer-Filter-Liste", -"Defines the filter to apply, when retrieving users." => "Definiert den Filter für die Anfrage der Benutzer.", -"without any placeholder, e.g. \"objectClass=person\"." => "ohne Platzhalter, z.B.: \"objectClass=person\"", "Group Filter" => "Gruppen-Filter", -"Defines the filter to apply, when retrieving groups." => "Definiert den Filter für die Anfrage der Gruppen.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "ohne Platzhalter, z.B.: \"objectClass=posixGroup\"", "Connection Settings" => "Verbindungseinstellungen", "Configuration Active" => "Konfiguration aktiv", "When unchecked, this configuration will be skipped." => "Wenn nicht angehakt, wird diese Konfiguration übersprungen.", @@ -51,8 +45,6 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "Benutzen Sie es nicht in Verbindung mit LDAPS Verbindungen, es wird fehlschlagen.", "Case insensitve LDAP server (Windows)" => "LDAP-Server (Windows: Groß- und Kleinschreibung bleibt unbeachtet)", "Turn off SSL certificate validation." => "Schalten Sie die SSL-Zertifikatsprüfung aus.", -"If connection only works with this option, import the LDAP server's SSL certificate in your %s server." => "Falls die Verbindung nur mit dieser Option funktioniert, importieren Sie das SSL-Zertifikat des LDAP-Servers in Ihren %s Server.", -"Not recommended, use for testing only." => "Nicht empfohlen, nur zu Testzwecken.", "Cache Time-To-Live" => "Speichere Time-To-Live zwischen", "in seconds. A change empties the cache." => "in Sekunden. Eine Änderung leert den Cache.", "Directory Settings" => "Ordnereinstellungen", diff --git a/apps/user_ldap/l10n/el.php b/apps/user_ldap/l10n/el.php index 140925f6126..d588f90518e 100644 --- a/apps/user_ldap/l10n/el.php +++ b/apps/user_ldap/l10n/el.php @@ -27,14 +27,8 @@ $TRANSLATIONS = array( "Password" => "Συνθηματικό", "For anonymous access, leave DN and Password empty." => "Για ανώνυμη πρόσβαση, αφήστε κενά τα πεδία DN και Pasword.", "User Login Filter" => "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, π.χ. \"uid=%%uid\"", "User List Filter" => "User List Filter", -"Defines the filter to apply, when retrieving users." => "Καθορίζει το φίλτρο που θα ισχύει κατά την ανάκτηση επαφών.", -"without any placeholder, e.g. \"objectClass=person\"." => "χωρίς κάποια μεταβλητή, π.χ. \"objectClass=άτομο\".", "Group Filter" => "Group Filter", -"Defines the filter to apply, when retrieving groups." => "Καθορίζει το φίλτρο που θα ισχύει κατά την ανάκτηση ομάδων.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "χωρίς κάποια μεταβλητή, π.χ. \"objectClass=ΟμάδαPosix\".", "Connection Settings" => "Ρυθμίσεις Σύνδεσης", "Configuration Active" => "Ενεργοποιηση ρυθμισεων", "When unchecked, this configuration will be skipped." => "Όταν δεν είναι επιλεγμένο, αυτή η ρύθμιση θα πρέπει να παραλειφθεί. ", @@ -47,7 +41,6 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "Μην το χρησιμοποιήσετε επιπροσθέτως, για LDAPS συνδέσεις , θα αποτύχει.", "Case insensitve LDAP server (Windows)" => "LDAP server (Windows) με διάκριση πεζών-ΚΕΦΑΛΑΙΩΝ", "Turn off SSL certificate validation." => "Απενεργοποίηση επικύρωσης πιστοποιητικού SSL.", -"Not recommended, use for testing only." => "Δεν προτείνεται, χρήση μόνο για δοκιμές.", "Cache Time-To-Live" => "Cache Time-To-Live", "in seconds. A change empties the cache." => "σε δευτερόλεπτα. Μια αλλαγή αδειάζει την μνήμη cache.", "Directory Settings" => "Ρυθμίσεις Καταλόγου", diff --git a/apps/user_ldap/l10n/eo.php b/apps/user_ldap/l10n/eo.php index 2973e05388b..26d46b81b9f 100644 --- a/apps/user_ldap/l10n/eo.php +++ b/apps/user_ldap/l10n/eo.php @@ -10,19 +10,12 @@ $TRANSLATIONS = array( "Password" => "Pasvorto", "For anonymous access, leave DN and Password empty." => "Por sennoman aliron, lasu DN-on kaj Pasvorton malplenaj.", "User Login Filter" => "Filtrilo de uzantensaluto", -"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action." => "Ĝi difinas la filtrilon aplikotan, kiam oni provas ensaluti. %%uid anstataŭigas la uzantonomon en la ensaluta ago.", -"use %%uid placeholder, e.g. \"uid=%%uid\"" => "uzu la referencilon %%uid, ekz.: \"uid=%%uid\"", "User List Filter" => "Filtrilo de uzantolisto", -"Defines the filter to apply, when retrieving users." => "Ĝi difinas la filtrilon aplikotan, kiam veniĝas uzantoj.", -"without any placeholder, e.g. \"objectClass=person\"." => "sen ajna referencilo, ekz.: \"objectClass=person\".", "Group Filter" => "Filtrilo de grupo", -"Defines the filter to apply, when retrieving groups." => "Ĝi difinas la filtrilon aplikotan, kiam veniĝas grupoj.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "sen ajna referencilo, ekz.: \"objectClass=posixGroup\".", "Port" => "Pordo", "Use TLS" => "Uzi TLS-on", "Case insensitve LDAP server (Windows)" => "LDAP-servilo blinda je litergrandeco (Vindozo)", "Turn off SSL certificate validation." => "Malkapabligi validkontrolon de SSL-atestiloj.", -"Not recommended, use for testing only." => "Ne rekomendata, uzu ĝin nur por testoj.", "in seconds. A change empties the cache." => "sekunde. Ajna ŝanĝo malplenigas la kaŝmemoron.", "User Display Name Field" => "Kampo de vidignomo de uzanto", "Base User Tree" => "Baza uzantarbo", diff --git a/apps/user_ldap/l10n/es.php b/apps/user_ldap/l10n/es.php index ca59e2f3ead..e5994273635 100644 --- a/apps/user_ldap/l10n/es.php +++ b/apps/user_ldap/l10n/es.php @@ -29,14 +29,8 @@ $TRANSLATIONS = array( "Password" => "Contraseña", "For anonymous access, leave DN and Password empty." => "Para acceso anónimo, deje DN y contraseña vacíos.", "User Login Filter" => "Filtro de inicio de sesión de usuario", -"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action." => "Define el filtro a aplicar cuando se ha realizado un login. %%uid remplazrá el nombre de usuario en el proceso de login.", -"use %%uid placeholder, e.g. \"uid=%%uid\"" => "usar %%uid como comodín, ej: \"uid=%%uid\"", "User List Filter" => "Lista de filtros de usuario", -"Defines the filter to apply, when retrieving users." => "Define el filtro a aplicar, cuando se obtienen usuarios.", -"without any placeholder, e.g. \"objectClass=person\"." => "Sin comodines, ej: \"objectClass=person\".", "Group Filter" => "Filtro de grupo", -"Defines the filter to apply, when retrieving groups." => "Define el filtro a aplicar, cuando se obtienen grupos.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "sin comodines, ej: \"objectClass=posixGroup\".", "Connection Settings" => "Configuración de conexión", "Configuration Active" => "Configuracion activa", "When unchecked, this configuration will be skipped." => "Cuando deseleccione, esta configuracion sera omitida.", @@ -49,8 +43,6 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "No lo use para conexiones LDAPS, Fallará.", "Case insensitve LDAP server (Windows)" => "Servidor de LDAP no sensible a mayúsculas/minúsculas (Windows)", "Turn off SSL certificate validation." => "Apagar la validación por certificado SSL.", -"If connection only works with this option, import the LDAP server's SSL certificate in your %s server." => "Si la conexión funciona sólo con esta opción, importe el certificado SSL del servidor LDAP en su servidor %s.", -"Not recommended, use for testing only." => "No recomendado, sólo para pruebas.", "Cache Time-To-Live" => "Cache TTL", "in seconds. A change empties the cache." => "en segundos. Un cambio vacía la caché.", "Directory Settings" => "Configuracion de directorio", diff --git a/apps/user_ldap/l10n/es_AR.php b/apps/user_ldap/l10n/es_AR.php index c4f339f76bb..ecfcae32f46 100644 --- a/apps/user_ldap/l10n/es_AR.php +++ b/apps/user_ldap/l10n/es_AR.php @@ -29,14 +29,8 @@ $TRANSLATIONS = array( "Password" => "Contraseña", "For anonymous access, leave DN and Password empty." => "Para acceso anónimo, dejá DN y contraseña vacíos.", "User Login Filter" => "Filtro de inicio de sesión de usuario", -"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action." => "Define el filtro a aplicar cuando se ha realizado un login. %%uid remplazará el nombre de usuario en el proceso de inicio de sesión.", -"use %%uid placeholder, e.g. \"uid=%%uid\"" => "usar %%uid como plantilla, p. ej.: \"uid=%%uid\"", "User List Filter" => "Lista de filtros de usuario", -"Defines the filter to apply, when retrieving users." => "Define el filtro a aplicar, cuando se obtienen usuarios.", -"without any placeholder, e.g. \"objectClass=person\"." => "Sin plantilla, p. ej.: \"objectClass=person\".", "Group Filter" => "Filtro de grupo", -"Defines the filter to apply, when retrieving groups." => "Define el filtro a aplicar cuando se obtienen grupos.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "Sin ninguna plantilla, p. ej.: \"objectClass=posixGroup\".", "Connection Settings" => "Configuración de Conección", "Configuration Active" => "Configuración activa", "When unchecked, this configuration will be skipped." => "Si no está seleccionada, esta configuración será omitida.", @@ -49,7 +43,6 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "No usar adicionalmente para conexiones LDAPS, las mismas fallarán", "Case insensitve LDAP server (Windows)" => "Servidor de LDAP sensible a mayúsculas/minúsculas (Windows)", "Turn off SSL certificate validation." => "Desactivar la validación por certificado SSL.", -"Not recommended, use for testing only." => "No recomendado, sólo para pruebas.", "Cache Time-To-Live" => "Tiempo de vida del caché", "in seconds. A change empties the cache." => "en segundos. Cambiarlo vacía la cache.", "Directory Settings" => "Configuración de Directorio", diff --git a/apps/user_ldap/l10n/et_EE.php b/apps/user_ldap/l10n/et_EE.php index f97a1ad7406..700b31e7ba9 100644 --- a/apps/user_ldap/l10n/et_EE.php +++ b/apps/user_ldap/l10n/et_EE.php @@ -30,14 +30,8 @@ $TRANSLATIONS = array( "Password" => "Parool", "For anonymous access, leave DN and Password empty." => "Anonüümseks ligipääsuks jäta DN ja parool tühjaks.", "User Login Filter" => "Kasutajanime filter", -"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action." => "Määrab sisselogimisel kasutatava filtri. %%uid asendab sisselogimistegevuses kasutajanime.", -"use %%uid placeholder, e.g. \"uid=%%uid\"" => "kasuta %%uid kohatäitjat, nt. \"uid=%%uid\"", "User List Filter" => "Kasutajate nimekirja filter", -"Defines the filter to apply, when retrieving users." => "Määrab kasutajaid hankides filtri, mida rakendatakse.", -"without any placeholder, e.g. \"objectClass=person\"." => "ilma ühegi kohatäitjata, nt. \"objectClass=person\".", "Group Filter" => "Grupi filter", -"Defines the filter to apply, when retrieving groups." => "Määrab gruppe hankides filtri, mida rakendatakse.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "ilma ühegi kohatäitjata, nt. \"objectClass=posixGroup\".", "Connection Settings" => "Ühenduse seaded", "Configuration Active" => "Seadistus aktiivne", "When unchecked, this configuration will be skipped." => "Kui märkimata, siis seadistust ei kasutata", @@ -51,8 +45,6 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "LDAPS puhul ära kasuta. Ühendus ei toimi.", "Case insensitve LDAP server (Windows)" => "Mittetõstutundlik LDAP server (Windows)", "Turn off SSL certificate validation." => "Lülita SSL sertifikaadi kontrollimine välja.", -"If connection only works with this option, import the LDAP server's SSL certificate in your %s server." => "Kui ühendus toimib ainult selle valikuga, siis impordi LDAP serveri SSL sertifikaat oma %s serverisse.", -"Not recommended, use for testing only." => "Pole soovitatav, kasuta ainult testimiseks.", "Cache Time-To-Live" => "Puhvri iga", "in seconds. A change empties the cache." => "sekundites. Muudatus tühjendab vahemälu.", "Directory Settings" => "Kataloogi seaded", diff --git a/apps/user_ldap/l10n/eu.php b/apps/user_ldap/l10n/eu.php index 59e8371d9c2..664d4901947 100644 --- a/apps/user_ldap/l10n/eu.php +++ b/apps/user_ldap/l10n/eu.php @@ -27,14 +27,8 @@ $TRANSLATIONS = array( "Password" => "Pasahitza", "For anonymous access, leave DN and Password empty." => "Sarrera anonimoak gaitzeko utzi DN eta Pasahitza hutsik.", "User Login Filter" => "Erabiltzaileen saioa hasteko iragazkia", -"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action." => "Saioa hastean erabiliko den iragazkia zehazten du. %%uid-ek erabiltzaile izena ordezkatzen du saioa hasterakoan.", -"use %%uid placeholder, e.g. \"uid=%%uid\"" => "erabili %%uid txantiloia, adb. \"uid=%%uid\"", "User List Filter" => "Erabiltzaile zerrendaren Iragazkia", -"Defines the filter to apply, when retrieving users." => "Erabiltzaileak jasotzen direnean ezarriko den iragazkia zehazten du.", -"without any placeholder, e.g. \"objectClass=person\"." => "txantiloirik gabe, adb. \"objectClass=person\".", "Group Filter" => "Taldeen iragazkia", -"Defines the filter to apply, when retrieving groups." => "Taldeak jasotzen direnean ezarriko den iragazkia zehazten du.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "txantiloirik gabe, adb. \"objectClass=posixGroup\".", "Connection Settings" => "Konexio Ezarpenak", "Configuration Active" => "Konfigurazio Aktiboa", "When unchecked, this configuration will be skipped." => "Markatuta ez dagoenean, konfigurazio hau ez da kontutan hartuko.", @@ -47,7 +41,6 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "Ez erabili LDAPS konexioetarako, huts egingo du.", "Case insensitve LDAP server (Windows)" => "Maiuskulak eta minuskulak ezberditzen ez dituen LDAP zerbitzaria (windows)", "Turn off SSL certificate validation." => "Ezgaitu SSL ziurtagirien egiaztapena.", -"Not recommended, use for testing only." => "Ez da aholkatzen, erabili bakarrik frogak egiteko.", "Cache Time-To-Live" => "Katxearen Bizi-Iraupena", "in seconds. A change empties the cache." => "segundutan. Aldaketak katxea husten du.", "Directory Settings" => "Karpetaren Ezarpenak", diff --git a/apps/user_ldap/l10n/fa.php b/apps/user_ldap/l10n/fa.php index 7b65c798d82..c4db39521dd 100644 --- a/apps/user_ldap/l10n/fa.php +++ b/apps/user_ldap/l10n/fa.php @@ -25,7 +25,6 @@ $TRANSLATIONS = array( "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." => "زمانیکه انتخاب نشود، این پیکربندی نادیده گرفته خواهد شد.", @@ -37,7 +36,6 @@ $TRANSLATIONS = array( "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" => "کاربر درخت پایه", diff --git a/apps/user_ldap/l10n/fi_FI.php b/apps/user_ldap/l10n/fi_FI.php index 744833ff7b3..341ffe8f627 100644 --- a/apps/user_ldap/l10n/fi_FI.php +++ b/apps/user_ldap/l10n/fi_FI.php @@ -17,21 +17,14 @@ $TRANSLATIONS = array( "Password" => "Salasana", "For anonymous access, leave DN and Password empty." => "Jos haluat mahdollistaa anonyymin pääsyn, jätä DN ja Salasana tyhjäksi ", "User Login Filter" => "Login suodatus", -"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action." => "Määrittelee käytettävän suodattimen, kun sisäänkirjautumista yritetään. %%uid korvaa sisäänkirjautumisessa käyttäjätunnuksen.", -"use %%uid placeholder, e.g. \"uid=%%uid\"" => "käytä %%uid paikanvaraajaa, ts. \"uid=%%uid\"", "User List Filter" => "Käyttäjien suodatus", -"Defines the filter to apply, when retrieving users." => "Määrittelee käytettävän suodattimen, kun käyttäjiä haetaan. ", -"without any placeholder, e.g. \"objectClass=person\"." => "ilman paikanvaraustermiä, ts. \"objectClass=person\".", "Group Filter" => "Ryhmien suodatus", -"Defines the filter to apply, when retrieving groups." => "Määrittelee käytettävän suodattimen, kun ryhmiä haetaan. ", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "ilman paikanvaraustermiä, ts. \"objectClass=posixGroup\".", "Connection Settings" => "Yhteysasetukset", "Port" => "Portti", "Disable Main Server" => "Poista pääpalvelin käytöstä", "Use TLS" => "Käytä TLS:ää", "Case insensitve LDAP server (Windows)" => "Kirjainkoosta piittamaton LDAP-palvelin (Windows)", "Turn off SSL certificate validation." => "Poista käytöstä SSL-varmenteen vahvistus", -"Not recommended, use for testing only." => "Ei suositella, käytä vain testausta varten.", "in seconds. A change empties the cache." => "sekunneissa. Muutos tyhjentää välimuistin.", "Directory Settings" => "Hakemistoasetukset", "User Display Name Field" => "Käyttäjän näytettävän nimen kenttä", diff --git a/apps/user_ldap/l10n/fr.php b/apps/user_ldap/l10n/fr.php index 5fc02e58372..0c7d3ad078f 100644 --- a/apps/user_ldap/l10n/fr.php +++ b/apps/user_ldap/l10n/fr.php @@ -29,14 +29,8 @@ $TRANSLATIONS = array( "Password" => "Mot de passe", "For anonymous access, leave DN and Password empty." => "Pour un accès anonyme, laisser le DN utilisateur et le mot de passe vides.", "User Login Filter" => "Modèle d'authentification utilisateurs", -"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action." => "Définit le motif à appliquer, lors d'une tentative de connexion. %%uid est remplacé par le nom d'utilisateur lors de la connexion.", -"use %%uid placeholder, e.g. \"uid=%%uid\"" => "veuillez utiliser le champ %%uid , ex.: \"uid=%%uid\"", "User List Filter" => "Filtre d'utilisateurs", -"Defines the filter to apply, when retrieving users." => "Définit le filtre à appliquer lors de la récupération des utilisateurs.", -"without any placeholder, e.g. \"objectClass=person\"." => "sans élément de substitution, par exemple \"objectClass=person\".", "Group Filter" => "Filtre de groupes", -"Defines the filter to apply, when retrieving groups." => "Définit le filtre à appliquer lors de la récupération des groupes.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "sans élément de substitution, par exemple \"objectClass=posixGroup\".", "Connection Settings" => "Paramètres de connexion", "Configuration Active" => "Configuration active", "When unchecked, this configuration will be skipped." => "Lorsque non cochée, la configuration sera ignorée.", @@ -49,7 +43,6 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "À ne pas utiliser pour les connexions LDAPS (cela échouera).", "Case insensitve LDAP server (Windows)" => "Serveur LDAP insensible à la casse (Windows)", "Turn off SSL certificate validation." => "Désactiver la validation du certificat SSL.", -"Not recommended, use for testing only." => "Non recommandé, utilisation pour tests uniquement.", "Cache Time-To-Live" => "Durée de vie du cache", "in seconds. A change empties the cache." => "en secondes. Tout changement vide le cache.", "Directory Settings" => "Paramètres du répertoire", diff --git a/apps/user_ldap/l10n/gl.php b/apps/user_ldap/l10n/gl.php index ce4967f8b8c..9debcef70ac 100644 --- a/apps/user_ldap/l10n/gl.php +++ b/apps/user_ldap/l10n/gl.php @@ -30,14 +30,8 @@ $TRANSLATIONS = array( "Password" => "Contrasinal", "For anonymous access, leave DN and Password empty." => "Para o acceso anónimo deixe o DN e o contrasinal baleiros.", "User Login Filter" => "Filtro de acceso de usuarios", -"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action." => "Define o filtro que se aplica cando se intenta o acceso. %%uid substitúe o nome de usuario e a acción de acceso.", -"use %%uid placeholder, e.g. \"uid=%%uid\"" => "usar a marca de posición %%uid, p.ex «uid=%%uid»", "User List Filter" => "Filtro da lista de usuarios", -"Defines the filter to apply, when retrieving users." => "Define o filtro a aplicar cando se recompilan os usuarios.", -"without any placeholder, e.g. \"objectClass=person\"." => "sen ningunha marca de posición, como p.ex «objectClass=persoa».", "Group Filter" => "Filtro de grupo", -"Defines the filter to apply, when retrieving groups." => "Define o filtro a aplicar cando se recompilan os grupos.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "sen ningunha marca de posición, como p.ex «objectClass=grupoPosix».", "Connection Settings" => "Axustes da conexión", "Configuration Active" => "Configuración activa", "When unchecked, this configuration will be skipped." => "Se está sen marcar, omítese esta configuración.", @@ -51,8 +45,6 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "Non utilizalo ademais para conexións LDAPS xa que fallará.", "Case insensitve LDAP server (Windows)" => "Servidor LDAP que non distingue entre maiúsculas e minúsculas (Windows)", "Turn off SSL certificate validation." => "Desactiva a validación do certificado SSL.", -"If connection only works with this option, import the LDAP server's SSL certificate in your %s server." => "Se a conexión só funciona con esta opción importa o certificado SSL do servidor LDAP no teu servidor %s.", -"Not recommended, use for testing only." => "Non se recomenda. Só para probas.", "Cache Time-To-Live" => "Tempo de persistencia da caché", "in seconds. A change empties the cache." => "en segundos. Calquera cambio baleira a caché.", "Directory Settings" => "Axustes do directorio", diff --git a/apps/user_ldap/l10n/hu_HU.php b/apps/user_ldap/l10n/hu_HU.php index 61fa37ed95c..6961869f3e0 100644 --- a/apps/user_ldap/l10n/hu_HU.php +++ b/apps/user_ldap/l10n/hu_HU.php @@ -29,14 +29,8 @@ $TRANSLATIONS = array( "Password" => "Jelszó", "For anonymous access, leave DN and Password empty." => "Bejelentkezés nélküli eléréshez ne töltse ki a DN és Jelszó mezőket!", "User Login Filter" => "Szűrő a bejelentkezéshez", -"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action." => "Ez a szűrő érvényes a bejelentkezés megkísérlésekor. Ekkor az %%uid változó helyére a bejelentkezési név kerül.", -"use %%uid placeholder, e.g. \"uid=%%uid\"" => "használja az %%uid változót, pl. \"uid=%%uid\"", "User List Filter" => "A felhasználók szűrője", -"Defines the filter to apply, when retrieving users." => "Ez a szűrő érvényes a felhasználók listázásakor.", -"without any placeholder, e.g. \"objectClass=person\"." => "itt ne használjon változót, pl. \"objectClass=person\".", "Group Filter" => "A csoportok szűrője", -"Defines the filter to apply, when retrieving groups." => "Ez a szűrő érvényes a csoportok listázásakor.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "itt ne használjunk változót, pl. \"objectClass=posixGroup\".", "Connection Settings" => "Kapcsolati beállítások", "Configuration Active" => "A beállítás aktív", "When unchecked, this configuration will be skipped." => "Ha nincs kipipálva, ez a beállítás kihagyódik.", @@ -49,7 +43,6 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "LDAPS kapcsolatok esetén ne kapcsoljuk be, mert nem fog működni.", "Case insensitve LDAP server (Windows)" => "Az LDAP-kiszolgáló nem tesz különbséget a kis- és nagybetűk között (Windows)", "Turn off SSL certificate validation." => "Ne ellenőrizzük az SSL-tanúsítvány érvényességét", -"Not recommended, use for testing only." => "Nem javasolt, csak tesztelésre érdemes használni.", "Cache Time-To-Live" => "A gyorsítótár tárolási időtartama", "in seconds. A change empties the cache." => "másodpercben. A változtatás törli a cache tartalmát.", "Directory Settings" => "Címtár beállítások", diff --git a/apps/user_ldap/l10n/id.php b/apps/user_ldap/l10n/id.php index efaf8e3c926..9580725616d 100644 --- a/apps/user_ldap/l10n/id.php +++ b/apps/user_ldap/l10n/id.php @@ -27,14 +27,8 @@ $TRANSLATIONS = array( "Password" => "Sandi", "For anonymous access, leave DN and Password empty." => "Untuk akses anonim, biarkan DN dan Kata sandi kosong.", "User Login Filter" => "gunakan saringan login", -"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action." => "Definisikan filter untuk diterapkan, saat login dilakukan. %%uid menggantikan username saat login.", -"use %%uid placeholder, e.g. \"uid=%%uid\"" => "gunakan pengganti %%uid, mis. \"uid=%%uid\"", "User List Filter" => "Daftar Filter Pengguna", -"Defines the filter to apply, when retrieving users." => "Definisikan filter untuk diterapkan saat menerima pengguna.", -"without any placeholder, e.g. \"objectClass=person\"." => "tanpa pengganti apapun, mis. \"objectClass=seseorang\".", "Group Filter" => "saringan grup", -"Defines the filter to apply, when retrieving groups." => "Definisikan filter untuk diterapkan saat menerima grup.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "tanpa pengganti apapaun, mis. \"objectClass=posixGroup\".", "Connection Settings" => "Pengaturan Koneksi", "Configuration Active" => "Konfigurasi Aktif", "When unchecked, this configuration will be skipped." => "Jika tidak dicentang, konfigurasi ini dilewati.", @@ -47,7 +41,6 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "Jangan gunakan utamanya untuk koneksi LDAPS, koneksi akan gagal.", "Case insensitve LDAP server (Windows)" => "Server LDAP dengan kapitalisasi tidak sensitif (Windows)", "Turn off SSL certificate validation." => "matikan validasi sertivikat SSL", -"Not recommended, use for testing only." => "tidak disarankan, gunakan hanya untuk pengujian.", "Cache Time-To-Live" => "Gunakan Tembolok untuk Time-To-Live", "in seconds. A change empties the cache." => "dalam detik. perubahan mengosongkan cache", "Directory Settings" => "Pengaturan Direktori", diff --git a/apps/user_ldap/l10n/it.php b/apps/user_ldap/l10n/it.php index 0a44850fdb0..82f42ef3be9 100644 --- a/apps/user_ldap/l10n/it.php +++ b/apps/user_ldap/l10n/it.php @@ -30,14 +30,8 @@ $TRANSLATIONS = array( "Password" => "Password", "For anonymous access, leave DN and Password empty." => "Per l'accesso anonimo, lasciare vuoti i campi DN e Password", "User Login Filter" => "Filtro per l'accesso utente", -"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action." => "Specifica quale filtro utilizzare quando si tenta l'accesso. %%uid sostituisce il nome utente all'atto dell'accesso.", -"use %%uid placeholder, e.g. \"uid=%%uid\"" => "utilizza il segnaposto %%uid, ad esempio \"uid=%%uid\"", "User List Filter" => "Filtro per l'elenco utenti", -"Defines the filter to apply, when retrieving users." => "Specifica quale filtro utilizzare durante il recupero degli utenti.", -"without any placeholder, e.g. \"objectClass=person\"." => "senza nessun segnaposto, per esempio \"objectClass=person\".", "Group Filter" => "Filtro per il gruppo", -"Defines the filter to apply, when retrieving groups." => "Specifica quale filtro utilizzare durante il recupero dei gruppi.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "senza nessun segnaposto, per esempio \"objectClass=posixGroup\".", "Connection Settings" => "Impostazioni di connessione", "Configuration Active" => "Configurazione attiva", "When unchecked, this configuration will be skipped." => "Se deselezionata, questa configurazione sarà saltata.", @@ -51,8 +45,6 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "Da non utilizzare per le connessioni LDAPS, non funzionerà.", "Case insensitve LDAP server (Windows)" => "Case insensitve LDAP server (Windows)", "Turn off SSL certificate validation." => "Disattiva il controllo del certificato SSL.", -"If connection only works with this option, import the LDAP server's SSL certificate in your %s server." => "Se la connessione funziona esclusivamente con questa opzione, importa il certificato SSL del server LDAP nel tuo server %s.", -"Not recommended, use for testing only." => "Non consigliato, utilizzare solo per test.", "Cache Time-To-Live" => "Tempo di vita della cache", "in seconds. A change empties the cache." => "in secondi. Il cambio svuota la cache.", "Directory Settings" => "Impostazioni delle cartelle", diff --git a/apps/user_ldap/l10n/ja_JP.php b/apps/user_ldap/l10n/ja_JP.php index d87a0f065b3..ec0da143057 100644 --- a/apps/user_ldap/l10n/ja_JP.php +++ b/apps/user_ldap/l10n/ja_JP.php @@ -30,14 +30,8 @@ $TRANSLATIONS = array( "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 プレースホルダーを利用してください。例 \"uid=%%uid\"", "User List Filter" => "ユーザリストフィルタ", -"Defines the filter to apply, when retrieving users." => "ユーザーを取得するときに適用するフィルターを定義する。", -"without any placeholder, e.g. \"objectClass=person\"." => "プレースホルダーを利用しないでください。例 \"objectClass=person\"", "Group Filter" => "グループフィルタ", -"Defines the filter to apply, when retrieving groups." => "グループを取得するときに適用するフィルターを定義する。", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "プレースホルダーを利用しないでください。例 \"objectClass=posixGroup\"", "Connection Settings" => "接続設定", "Configuration Active" => "設定はアクティブです", "When unchecked, this configuration will be skipped." => "チェックを外すと、この設定はスキップされます。", @@ -51,8 +45,6 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "LDAPS接続のために追加でそれを利用しないで下さい。失敗します。", "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 %s server." => "接続がこのオプションでのみ動作する場合は、LDAPサーバのSSL証明書を %s サーバにインポートしてください。", -"Not recommended, use for testing only." => "推奨しません、テスト目的でのみ利用してください。", "Cache Time-To-Live" => "キャッシュのTTL", "in seconds. A change empties the cache." => "秒。変更後にキャッシュがクリアされます。", "Directory Settings" => "ディレクトリ設定", diff --git a/apps/user_ldap/l10n/ka_GE.php b/apps/user_ldap/l10n/ka_GE.php index 7317a257daf..860e8933b0d 100644 --- a/apps/user_ldap/l10n/ka_GE.php +++ b/apps/user_ldap/l10n/ka_GE.php @@ -27,14 +27,8 @@ $TRANSLATIONS = array( "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 დამასრულებელი მაგ: \"uid=%%uid\"", "User List Filter" => "მომხმარებლებიის სიის ფილტრი", -"Defines the filter to apply, when retrieving users." => "გაფილტვრა განხორციელდება, როცა მომხმარებლების სია ჩამოიტვირთება.", -"without any placeholder, e.g. \"objectClass=person\"." => "ყოველგვარი დამასრულებელის გარეშე, მაგ: \"objectClass=person\".", "Group Filter" => "ჯგუფის ფილტრი", -"Defines the filter to apply, when retrieving groups." => "გაფილტვრა განხორციელდება, როცა ჯგუფის სია ჩამოიტვირთება.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "ყოველგვარი დამასრულებელის გარეშე, მაგ: \"objectClass=posixGroup\".", "Connection Settings" => "კავშირის პარამეტრები", "Configuration Active" => "კონფიგურაცია აქტიურია", "When unchecked, this configuration will be skipped." => "როცა გადანიშნულია, ეს კონფიგურაცია გამოტოვებული იქნება.", @@ -47,7 +41,6 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "არ გამოიყენოთ დამატებით LDAPS კავშირი. ის წარუმატებლად დასრულდება.", "Case insensitve LDAP server (Windows)" => "LDAP server (Windows)", "Turn off SSL certificate validation." => "გამორთეთ SSL სერთიფიკატის ვალიდაცია.", -"Not recommended, use for testing only." => "არ არის რეკომენდირებული, გამოიყენეთ მხოლოდ სატესტოდ.", "Cache Time-To-Live" => "ქეშის სიცოცხლის ხანგრძლივობა", "in seconds. A change empties the cache." => "წამებში. ცვლილება ასუფთავებს ქეშს.", "Directory Settings" => "დირექტორიის პარამეტრები", diff --git a/apps/user_ldap/l10n/ko.php b/apps/user_ldap/l10n/ko.php index 650781fe4a2..a5a2798165c 100644 --- a/apps/user_ldap/l10n/ko.php +++ b/apps/user_ldap/l10n/ko.php @@ -16,14 +16,8 @@ $TRANSLATIONS = array( "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 자리 비움자를 사용하십시오. 예제: \"uid=%%uid\"\"", "User List Filter" => "사용자 목록 필터", -"Defines the filter to apply, when retrieving users." => "사용자를 검색할 때 적용할 필터를 정의합니다.", -"without any placeholder, e.g. \"objectClass=person\"." => "자리 비움자를 사용할 수 없습니다. 예제: \"objectClass=person\"", "Group Filter" => "그룹 필터", -"Defines the filter to apply, when retrieving groups." => "그룹을 검색할 때 적용할 필터를 정의합니다.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "자리 비움자를 사용할 수 없습니다. 예제: \"objectClass=posixGroup\"", "Connection Settings" => "연결 설정", "Configuration Active" => "구성 활성화", "Port" => "포트", @@ -33,7 +27,6 @@ $TRANSLATIONS = array( "Use TLS" => "TLS 사용", "Case insensitve LDAP server (Windows)" => "서버에서 대소문자를 구분하지 않음 (Windows)", "Turn off SSL certificate validation." => "SSL 인증서 유효성 검사를 해제합니다.", -"Not recommended, use for testing only." => "추천하지 않음, 테스트로만 사용하십시오.", "in seconds. A change empties the cache." => "초. 항목 변경 시 캐시가 갱신됩니다.", "Directory Settings" => "디렉토리 설정", "User Display Name Field" => "사용자의 표시 이름 필드", diff --git a/apps/user_ldap/l10n/lt_LT.php b/apps/user_ldap/l10n/lt_LT.php index 3046824e6c1..7e8b389af7f 100644 --- a/apps/user_ldap/l10n/lt_LT.php +++ b/apps/user_ldap/l10n/lt_LT.php @@ -7,7 +7,6 @@ $TRANSLATIONS = array( "Port" => "Prievadas", "Use TLS" => "Naudoti TLS", "Turn off SSL certificate validation." => "Išjungti SSL sertifikato tikrinimą.", -"Not recommended, use for testing only." => "Nerekomenduojama, naudokite tik testavimui.", "Help" => "Pagalba" ); $PLURAL_FORMS = "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);"; diff --git a/apps/user_ldap/l10n/lv.php b/apps/user_ldap/l10n/lv.php index 7d3d088b40a..11a68fffeb4 100644 --- a/apps/user_ldap/l10n/lv.php +++ b/apps/user_ldap/l10n/lv.php @@ -26,14 +26,8 @@ $TRANSLATIONS = array( "Password" => "Parole", "For anonymous access, leave DN and Password empty." => "Lai piekļūtu anonīmi, atstājiet DN un paroli tukšu.", "User Login Filter" => "Lietotāja ierakstīšanās filtrs", -"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action." => "Definē filtru, ko izmantot, kad mēģina ierakstīties. %%uid ierakstīšanās darbībā aizstāj lietotājvārdu.", -"use %%uid placeholder, e.g. \"uid=%%uid\"" => "lieto %%uid vietturi, piemēram, \"uid=%%uid\"", "User List Filter" => "Lietotāju saraksta filtrs", -"Defines the filter to apply, when retrieving users." => "Definē filtru, ko izmantot, kad saņem lietotāju sarakstu.", -"without any placeholder, e.g. \"objectClass=person\"." => "bez jebkādiem vietturiem, piemēram, \"objectClass=person\".", "Group Filter" => "Grupu filtrs", -"Defines the filter to apply, when retrieving groups." => "Definē filtru, ko izmantot, kad saņem grupu sarakstu.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "bez jebkādiem vietturiem, piemēram, \"objectClass=posixGroup\".", "Connection Settings" => "Savienojuma iestatījumi", "Configuration Active" => "Konfigurācija ir aktīva", "When unchecked, this configuration will be skipped." => "Ja nav atzīmēts, šī konfigurācija tiks izlaista.", @@ -46,7 +40,6 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "Neizmanto papildu LDAPS savienojumus! Tas nestrādās.", "Case insensitve LDAP server (Windows)" => "Reģistrnejutīgs LDAP serveris (Windows)", "Turn off SSL certificate validation." => "Izslēgt SSL sertifikātu validēšanu.", -"Not recommended, use for testing only." => "Nav ieteicams, izmanto tikai testēšanai!", "Cache Time-To-Live" => "Kešatmiņas dzīvlaiks", "in seconds. A change empties the cache." => "sekundēs. Izmaiņas iztukšos kešatmiņu.", "Directory Settings" => "Direktorijas iestatījumi", diff --git a/apps/user_ldap/l10n/nb_NO.php b/apps/user_ldap/l10n/nb_NO.php index 8f1c338b124..8c482ed2a55 100644 --- a/apps/user_ldap/l10n/nb_NO.php +++ b/apps/user_ldap/l10n/nb_NO.php @@ -27,14 +27,8 @@ $TRANSLATIONS = array( "Password" => "Passord", "For anonymous access, leave DN and Password empty." => "For anonym tilgang, la DN- og passord-feltet stå tomt.", "User Login Filter" => "Brukerpålogging filter", -"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action." => "Definerer filteret som skal brukes når et påloggingsforsøk blir utført. %%uid erstatter brukernavnet i innloggingshandlingen.", -"use %%uid placeholder, e.g. \"uid=%%uid\"" => "bruk %%uid plassholder, f.eks. \"uid=%%uid\"", "User List Filter" => "Brukerliste filter", -"Defines the filter to apply, when retrieving users." => "Definerer filteret som skal brukes, når systemet innhenter brukere.", -"without any placeholder, e.g. \"objectClass=person\"." => "uten noe plassholder, f.eks. \"objectClass=person\".", "Group Filter" => "Gruppefilter", -"Defines the filter to apply, when retrieving groups." => "Definerer filteret som skal brukes, når systemet innhenter grupper.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "uten noe plassholder, f.eks. \"objectClass=posixGroup\".", "Configuration Active" => "Konfigurasjon aktiv", "When unchecked, this configuration will be skipped." => "Når ikke huket av så vil denne konfigurasjonen bli hoppet over.", "Port" => "Port", @@ -42,7 +36,6 @@ $TRANSLATIONS = array( "Use TLS" => "Bruk TLS", "Case insensitve LDAP server (Windows)" => "Case-insensitiv LDAP tjener (Windows)", "Turn off SSL certificate validation." => "Slå av SSL-sertifikat validering", -"Not recommended, use for testing only." => "Ikke anbefalt, bruk kun for testing", "in seconds. A change empties the cache." => "i sekunder. En endring tømmer bufferen.", "User Display Name Field" => "Vis brukerens navnfelt", "Base User Tree" => "Hovedbruker tre", diff --git a/apps/user_ldap/l10n/nl.php b/apps/user_ldap/l10n/nl.php index 1a67cd409dc..301cad98521 100644 --- a/apps/user_ldap/l10n/nl.php +++ b/apps/user_ldap/l10n/nl.php @@ -30,14 +30,8 @@ $TRANSLATIONS = array( "Password" => "Wachtwoord", "For anonymous access, leave DN and Password empty." => "Voor anonieme toegang, laat de DN en het wachtwoord leeg.", "User Login Filter" => "Gebruikers Login Filter", -"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action." => "Definiëerd de toe te passen filter indien er geprobeerd wordt in te loggen. %%uid vervangt de gebruikersnaam in de login actie.", -"use %%uid placeholder, e.g. \"uid=%%uid\"" => "gebruik %%uid placeholder, bijv. \"uid=%%uid\"", "User List Filter" => "Gebruikers Lijst Filter", -"Defines the filter to apply, when retrieving users." => "Definiëerd de toe te passen filter voor het ophalen van gebruikers.", -"without any placeholder, e.g. \"objectClass=person\"." => "zonder een placeholder, bijv. \"objectClass=person\"", "Group Filter" => "Groep Filter", -"Defines the filter to apply, when retrieving groups." => "Definiëerd de toe te passen filter voor het ophalen van groepen.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "zonder een placeholder, bijv. \"objectClass=posixGroup\"", "Connection Settings" => "Verbindingsinstellingen", "Configuration Active" => "Configuratie actief", "When unchecked, this configuration will be skipped." => "Als dit niet is ingeschakeld wordt deze configuratie overgeslagen.", @@ -51,8 +45,6 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "Gebruik het niet voor LDAPS verbindingen, dat gaat niet lukken.", "Case insensitve LDAP server (Windows)" => "Niet-hoofdlettergevoelige LDAP server (Windows)", "Turn off SSL certificate validation." => "Schakel SSL certificaat validatie uit.", -"If connection only works with this option, import the LDAP server's SSL certificate in your %s server." => "Als de connectie alleen werkt met deze optie, importeer dan het LDAP server SSL certificaat naar de %s server.", -"Not recommended, use for testing only." => "Niet aangeraden, gebruik alleen voor test doeleinden.", "Cache Time-To-Live" => "Cache time-to-live", "in seconds. A change empties the cache." => "in seconden. Een verandering maakt de cache leeg.", "Directory Settings" => "Mapinstellingen", @@ -76,10 +68,13 @@ $TRANSLATIONS = array( "User Home Folder Naming Rule" => "Gebruikers Home map naamgevingsregel", "Leave empty for user name (default). Otherwise, specify an LDAP/AD attribute." => "Laat leeg voor de gebruikersnaam (standaard). Of, specificeer een LDAP/AD attribuut.", "Internal Username" => "Interne gebruikersnaam", +"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." => "Standaard wordt de interne gebruikersnaam aangemaakt op basis van het UUID attribuut. Het zorgt ervoor dat de gebruikersnaam uniek is en dat tekens niet hoeven te worden geconverteerd. De interne gebruikersnaam heeft als beperking dat alleen deze tekens zijn toegestaan​​: [a-zA-Z0-9_.@- ]. Andere tekens worden vervangen door hun ASCII vertaling of gewoonweg weggelaten. Bij identieke namen wordt een nummer toegevoegd of verhoogd. De interne gebruikersnaam wordt gebruikt om een ​​gebruiker binnen het systeem te herkennen. Het is ook de standaardnaam voor de standaardmap van de gebruiker in ownCloud. Het is ook een vertaling voor externe URL's, bijvoorbeeld voor alle *DAV diensten. Met deze instelling kan het standaardgedrag worden overschreven. Om een soortgelijk gedrag te bereiken als van vóór ownCloud 5, voer het gebruikersweergavenaam attribuut in in het volgende veld. Laat het leeg voor standaard gedrag. Veranderingen worden alleen toegepast op gekoppelde (toegevoegde) LDAP-gebruikers.", "Internal Username Attribute:" => "Interne gebruikersnaam attribuut:", "Override UUID detection" => "Negeren UUID detectie", +"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." => "Standaard herkent ownCloud het UUID-attribuut automatisch. Het UUID attribuut wordt gebruikt om LDAP-gebruikers en -groepen uniek te identificeren. Ook zal de interne gebruikersnaam worden aangemaakt op basis van het UUID, tenzij deze hierboven anders is aangegeven. U kunt de instelling overschrijven en zelf een waarde voor het attribuut opgeven. U moet ervoor zorgen dat het ingestelde attribuut kan worden opgehaald voor zowel gebruikers als groepen en dat het uniek is. Laat het leeg voor standaard gedrag. Veranderingen worden alleen doorgevoerd op nieuw gekoppelde (toegevoegde) LDAP-gebruikers en-groepen.", "UUID Attribute:" => "UUID Attribuut:", "Username-LDAP User Mapping" => "Gebruikersnaam-LDAP gebruikers vertaling", +"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." => "ownCloud maakt gebruik van gebruikersnamen om (meta) data op te slaan en toe te wijzen. Om gebruikers uniek te identificeren, krijgt elke LDAP-gebruiker ook een interne gebruikersnaam. Dit vereist een koppeling van de ownCloud gebruikersnaam aan een ​​LDAP-gebruiker. De gecreëerde gebruikersnaam is gekoppeld aan de UUID van de LDAP-gebruiker. Aanvullend wordt ook de 'DN' gecached om het aantal LDAP-interacties te verminderen, maar dit wordt niet gebruikt voor identificatie. Als de DN verandert, zullen de veranderingen worden gevonden. De interne naam wordt overal gebruikt. Het wissen van de koppeling zal overal resten achterlaten. Het wissen van koppelingen is niet configuratiegevoelig, maar het raakt wel alle LDAP instellingen! Zorg ervoor dat deze koppelingen nooit in een productieomgeving gewist worden. Maak ze alleen leeg in een test- of ontwikkelomgeving.", "Clear Username-LDAP User Mapping" => "Leegmaken Gebruikersnaam-LDAP gebruikers vertaling", "Clear Groupname-LDAP Group Mapping" => "Leegmaken Groepsnaam-LDAP groep vertaling", "Test Configuration" => "Test configuratie", diff --git a/apps/user_ldap/l10n/pl.php b/apps/user_ldap/l10n/pl.php index 87dfe41a317..7801f73dc12 100644 --- a/apps/user_ldap/l10n/pl.php +++ b/apps/user_ldap/l10n/pl.php @@ -29,14 +29,8 @@ $TRANSLATIONS = array( "Password" => "Hasło", "For anonymous access, leave DN and Password empty." => "Dla dostępu anonimowego pozostawić DN i hasło puste.", "User Login Filter" => "Filtr logowania użytkownika", -"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action." => "Definiuje filtr do zastosowania, gdy podejmowana jest próba logowania. %%uid zastępuje nazwę użytkownika w działaniu logowania.", -"use %%uid placeholder, e.g. \"uid=%%uid\"" => "Użyj %%uid zastępczy, np. \"uid=%%uid\"", "User List Filter" => "Lista filtrów użytkownika", -"Defines the filter to apply, when retrieving users." => "Definiuje filtry do zastosowania, podczas pobierania użytkowników.", -"without any placeholder, e.g. \"objectClass=person\"." => "bez żadnych symboli zastępczych np. \"objectClass=person\".", "Group Filter" => "Grupa filtrów", -"Defines the filter to apply, when retrieving groups." => "Definiuje filtry do zastosowania, podczas pobierania grup.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "bez żadnych symboli zastępczych np. \"objectClass=posixGroup\".", "Connection Settings" => "Konfiguracja połączeń", "Configuration Active" => "Konfiguracja archiwum", "When unchecked, this configuration will be skipped." => "Gdy niezaznaczone, ta konfiguracja zostanie pominięta.", @@ -49,7 +43,6 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "Nie używaj go dodatkowo dla połączeń protokołu LDAPS, zakończy się niepowodzeniem.", "Case insensitve LDAP server (Windows)" => "Wielkość liter serwera LDAP (Windows)", "Turn off SSL certificate validation." => "Wyłączyć sprawdzanie poprawności certyfikatu SSL.", -"Not recommended, use for testing only." => "Niezalecane, użyj tylko testowo.", "Cache Time-To-Live" => "Przechowuj czas życia", "in seconds. A change empties the cache." => "w sekundach. Zmiana opróżnia pamięć podręczną.", "Directory Settings" => "Ustawienia katalogów", diff --git a/apps/user_ldap/l10n/pt_BR.php b/apps/user_ldap/l10n/pt_BR.php index 0145e8fe2a4..88006e1b5d9 100644 --- a/apps/user_ldap/l10n/pt_BR.php +++ b/apps/user_ldap/l10n/pt_BR.php @@ -30,14 +30,8 @@ $TRANSLATIONS = array( "Password" => "Senha", "For anonymous access, leave DN and Password empty." => "Para acesso anônimo, deixe DN e Senha vazios.", "User Login Filter" => "Filtro de Login de Usuário", -"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action." => "Define o filtro pra aplicar ao efetuar uma tentativa de login. %%uuid substitui o nome de usuário na ação de login.", -"use %%uid placeholder, e.g. \"uid=%%uid\"" => "use %%uid placeholder, ex. \"uid=%%uid\"", "User List Filter" => "Filtro de Lista de Usuário", -"Defines the filter to apply, when retrieving users." => "Define filtro a ser aplicado ao obter usuários.", -"without any placeholder, e.g. \"objectClass=person\"." => "sem nenhum espaço reservado, ex. \"objectClass=person\".", "Group Filter" => "Filtro de Grupo", -"Defines the filter to apply, when retrieving groups." => "Define o filtro a aplicar ao obter grupos.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "sem nenhum espaço reservado, ex. \"objectClass=posixGroup\"", "Connection Settings" => "Configurações de Conexão", "Configuration Active" => "Configuração ativa", "When unchecked, this configuration will be skipped." => "Quando não marcada, esta configuração será ignorada.", @@ -51,8 +45,6 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "Não use adicionalmente para conexões LDAPS, pois falhará.", "Case insensitve LDAP server (Windows)" => "Servidor LDAP sensível à caixa alta (Windows)", "Turn off SSL certificate validation." => "Desligar validação de certificado SSL.", -"If connection only works with this option, import the LDAP server's SSL certificate in your %s server." => "Se a conexão só funciona com esta opção, importe o certificado SSL do servidor LDAP no seu servidor %s.", -"Not recommended, use for testing only." => "Não recomendado, use somente para testes.", "Cache Time-To-Live" => "Cache Time-To-Live", "in seconds. A change empties the cache." => "em segundos. Uma mudança esvaziará o cache.", "Directory Settings" => "Configurações de Diretório", diff --git a/apps/user_ldap/l10n/pt_PT.php b/apps/user_ldap/l10n/pt_PT.php index 0abb049a155..b88ad18f0f6 100644 --- a/apps/user_ldap/l10n/pt_PT.php +++ b/apps/user_ldap/l10n/pt_PT.php @@ -29,14 +29,8 @@ $TRANSLATIONS = array( "Password" => "Password", "For anonymous access, leave DN and Password empty." => "Para acesso anónimo, deixe DN e a Palavra-passe vazios.", "User Login Filter" => "Filtro de login de utilizador", -"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action." => "Define o filtro a aplicar, para aquando de uma tentativa de login. %%uid substitui o nome de utilizador utilizado.", -"use %%uid placeholder, e.g. \"uid=%%uid\"" => "Use a variável %%uid , exemplo: \"uid=%%uid\"", "User List Filter" => "Utilizar filtro", -"Defines the filter to apply, when retrieving users." => "Defina o filtro a aplicar, ao recuperar utilizadores.", -"without any placeholder, e.g. \"objectClass=person\"." => "Sem variável. Exemplo: \"objectClass=pessoa\".", "Group Filter" => "Filtrar por grupo", -"Defines the filter to apply, when retrieving groups." => "Defina o filtro a aplicar, ao recuperar grupos.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "Sem nenhuma variável. Exemplo: \"objectClass=posixGroup\".", "Connection Settings" => "Definições de ligação", "Configuration Active" => "Configuração activa", "When unchecked, this configuration will be skipped." => "Se não estiver marcada, esta definição não será tida em conta.", @@ -49,7 +43,6 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "Não utilize para adicionar ligações LDAP, irá falhar!", "Case insensitve LDAP server (Windows)" => "Servidor LDAP (Windows) não sensível a maiúsculas.", "Turn off SSL certificate validation." => "Desligar a validação de certificado SSL.", -"Not recommended, use for testing only." => "Não recomendado, utilizado apenas para testes!", "Cache Time-To-Live" => "Cache do tempo de vida dos objetos no servidor", "in seconds. A change empties the cache." => "em segundos. Uma alteração esvazia a cache.", "Directory Settings" => "Definições de directorias", diff --git a/apps/user_ldap/l10n/ro.php b/apps/user_ldap/l10n/ro.php index cdc94e6a493..a0bacccb707 100644 --- a/apps/user_ldap/l10n/ro.php +++ b/apps/user_ldap/l10n/ro.php @@ -14,19 +14,12 @@ $TRANSLATIONS = array( "Password" => "Parolă", "For anonymous access, leave DN and Password empty." => "Pentru acces anonim, lăsați DN și Parolă libere.", "User Login Filter" => "Filtrare după Nume Utilizator", -"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action." => "Definește fitrele care trebuie aplicate, când se încearcă conectarea. %%uid înlocuiește numele utilizatorului în procesul de conectare.", -"use %%uid placeholder, e.g. \"uid=%%uid\"" => "folosiți substituentul %%uid , d.e. \"uid=%%uid\"", "User List Filter" => "Filtrarea după lista utilizatorilor", -"Defines the filter to apply, when retrieving users." => "Definește filtrele care trebui aplicate, când se peiau utilzatorii.", -"without any placeholder, e.g. \"objectClass=person\"." => "fără substituenți, d.e. \"objectClass=person\".", "Group Filter" => "Fitrare Grup", -"Defines the filter to apply, when retrieving groups." => "Definește filtrele care se aplică, când se preiau grupurile.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "fără substituenți, d.e. \"objectClass=posixGroup\"", "Port" => "Portul", "Use TLS" => "Utilizează TLS", "Case insensitve LDAP server (Windows)" => "Server LDAP insensibil la majuscule (Windows)", "Turn off SSL certificate validation." => "Oprește validarea certificatelor SSL ", -"Not recommended, use for testing only." => "Nu este recomandat, a se utiliza doar pentru testare.", "in seconds. A change empties the cache." => "în secunde. O schimbare curăță memoria tampon.", "User Display Name Field" => "Câmpul cu numele vizibil al utilizatorului", "Base User Tree" => "Arborele de bază al Utilizatorilor", diff --git a/apps/user_ldap/l10n/ru.php b/apps/user_ldap/l10n/ru.php index ef115f6bbd7..f26e26f1e77 100644 --- a/apps/user_ldap/l10n/ru.php +++ b/apps/user_ldap/l10n/ru.php @@ -30,14 +30,8 @@ $TRANSLATIONS = array( "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, например: \"uid=%%uid\"", "User List Filter" => "Фильтр списка пользователей", -"Defines the filter to apply, when retrieving users." => "Определяет фильтр для применения при получении пользователей.", -"without any placeholder, e.g. \"objectClass=person\"." => "без заполнителя, например: \"objectClass=person\".", "Group Filter" => "Фильтр группы", -"Defines the filter to apply, when retrieving groups." => "Определяет фильтр для применения при получении группы.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "без заполнения, например \"objectClass=posixGroup\".", "Connection Settings" => "Настройки подключения", "Configuration Active" => "Конфигурация активна", "When unchecked, this configuration will be skipped." => "Когда галочка снята, эта конфигурация будет пропущена.", @@ -50,7 +44,6 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "Не используйте совместно с безопасными подключениями (LDAPS), это не сработает.", "Case insensitve LDAP server (Windows)" => "Нечувствительный к регистру сервер LDAP (Windows)", "Turn off SSL certificate validation." => "Отключить проверку сертификата SSL.", -"Not recommended, use for testing only." => "Не рекомендуется, используйте только для тестирования.", "Cache Time-To-Live" => "Кэш времени жизни", "in seconds. A change empties the cache." => "в секундах. Изменение очистит кэш.", "Directory Settings" => "Настройки каталога", diff --git a/apps/user_ldap/l10n/si_LK.php b/apps/user_ldap/l10n/si_LK.php index 21c8f047ff6..5d2db636cf0 100644 --- a/apps/user_ldap/l10n/si_LK.php +++ b/apps/user_ldap/l10n/si_LK.php @@ -9,10 +9,8 @@ $TRANSLATIONS = array( "User Login Filter" => "පරිශීලක පිවිසුම් පෙරහන", "User List Filter" => "පරිශීලක ලැයිස්තු පෙරහන", "Group Filter" => "කණ්ඩායම් පෙරහන", -"Defines the filter to apply, when retrieving groups." => "කණ්ඩායම් සොයා ලබාගන්නා විට, යොදන පෙරහන නියම කරයි", "Port" => "තොට", "Use TLS" => "TLS භාවිතා කරන්න", -"Not recommended, use for testing only." => "නිර්දේශ කළ නොහැක. පරීක්ෂණ සඳහා පමණක් භාවිත කරන්න", "Help" => "උදව්" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/apps/user_ldap/l10n/sk_SK.php b/apps/user_ldap/l10n/sk_SK.php index f02828daf70..c5bb6a8a50c 100644 --- a/apps/user_ldap/l10n/sk_SK.php +++ b/apps/user_ldap/l10n/sk_SK.php @@ -30,14 +30,8 @@ $TRANSLATIONS = array( "Password" => "Heslo", "For anonymous access, leave DN and Password empty." => "Pre anonymný prístup ponechajte údaje DN a Heslo prázdne.", "User Login Filter" => "Filter prihlásenia používateľov", -"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action." => "Určuje použitý filter, pri pokuse o prihlásenie. %%uid nahradzuje používateľské meno v činnosti prihlásenia.", -"use %%uid placeholder, e.g. \"uid=%%uid\"" => "použite zástupný vzor %%uid, napr. \\\"uid=%%uid\\\"", "User List Filter" => "Filter zoznamov používateľov", -"Defines the filter to apply, when retrieving users." => "Definuje použitý filter, pre získanie používateľov.", -"without any placeholder, e.g. \"objectClass=person\"." => "bez zástupných znakov, napr. \"objectClass=person\"", "Group Filter" => "Filter skupiny", -"Defines the filter to apply, when retrieving groups." => "Definuje použitý filter, pre získanie skupín.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "bez zástupných znakov, napr. \"objectClass=posixGroup\"", "Connection Settings" => "Nastavenie pripojenia", "Configuration Active" => "Nastavenia sú aktívne ", "When unchecked, this configuration will be skipped." => "Ak nie je zaškrtnuté, nastavenie bude preskočené.", @@ -51,8 +45,6 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "Nepoužívajte pre pripojenie LDAPS, zlyhá.", "Case insensitve LDAP server (Windows)" => "LDAP server nerozlišuje veľkosť znakov (Windows)", "Turn off SSL certificate validation." => "Vypnúť overovanie SSL certifikátu.", -"If connection only works with this option, import the LDAP server's SSL certificate in your %s server." => "Ak pripojenie pracuje len s touto možnosťou, tak naimportujte SSL certifikát LDAP servera do vášho %s servera.", -"Not recommended, use for testing only." => "Nie je doporučované, len pre testovacie účely.", "Cache Time-To-Live" => "Životnosť objektov v cache", "in seconds. A change empties the cache." => "v sekundách. Zmena vyprázdni vyrovnávaciu pamäť.", "Directory Settings" => "Nastavenie priečinka", diff --git a/apps/user_ldap/l10n/sl.php b/apps/user_ldap/l10n/sl.php index 80abb79e495..703b643db58 100644 --- a/apps/user_ldap/l10n/sl.php +++ b/apps/user_ldap/l10n/sl.php @@ -29,14 +29,8 @@ $TRANSLATIONS = array( "Password" => "Geslo", "For anonymous access, leave DN and Password empty." => "Za brezimni dostop sta polji DN in geslo prazni.", "User Login Filter" => "Filter prijav uporabnikov", -"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action." => "Določi filter, uporabljen pri prijavi. %%uid nadomesti uporabniško ime v postopku prijave.", -"use %%uid placeholder, e.g. \"uid=%%uid\"" => "Uporabite vsebnik %%uid, npr. \"uid=%%uid\".", "User List Filter" => "Filter seznama uporabnikov", -"Defines the filter to apply, when retrieving users." => "Določi filter za uporabo med pridobivanjem uporabnikov.", -"without any placeholder, e.g. \"objectClass=person\"." => "Brez kateregakoli vsebnika, npr. \"objectClass=person\".", "Group Filter" => "Filter skupin", -"Defines the filter to apply, when retrieving groups." => "Določi filter za uporabo med pridobivanjem skupin.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "Brez katerekoli vsebnika, npr. \"objectClass=posixGroup\".", "Connection Settings" => "Nastavitve povezave", "Configuration Active" => "Dejavna nastavitev", "When unchecked, this configuration will be skipped." => "Neizbrana možnost preskoči nastavitev.", @@ -49,7 +43,6 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "Strežnika ni priporočljivo uporabljati za povezave LDAPS. Povezava bo spodletela.", "Case insensitve LDAP server (Windows)" => "Strežnik LDAP ne upošteva velikosti črk (Windows)", "Turn off SSL certificate validation." => "Onemogoči določanje veljavnosti potrdila SSL.", -"Not recommended, use for testing only." => "Dejanje ni priporočeno; uporabljeno naj bo le za preizkušanje delovanja.", "Cache Time-To-Live" => "Predpomni podatke TTL", "in seconds. A change empties the cache." => "v sekundah. Sprememba izprazni predpomnilnik.", "Directory Settings" => "Nastavitve mape", diff --git a/apps/user_ldap/l10n/sr.php b/apps/user_ldap/l10n/sr.php index 7dd12fe5cca..d0c9290dc19 100644 --- a/apps/user_ldap/l10n/sr.php +++ b/apps/user_ldap/l10n/sr.php @@ -10,19 +10,12 @@ $TRANSLATIONS = array( "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, нпр. „uid=%%uid\"", "User List Filter" => "Филтер за списак корисника", -"Defines the filter to apply, when retrieving users." => "Одређује филтер за примењивање при прибављању корисника.", -"without any placeholder, e.g. \"objectClass=person\"." => "без икаквог чувара места, нпр. „objectClass=person“.", "Group Filter" => "Филтер групе", -"Defines the filter to apply, when retrieving groups." => "Одређује филтер за примењивање при прибављању група.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "без икаквог чувара места, нпр. „objectClass=posixGroup“.", "Port" => "Порт", "Use TLS" => "Користи TLS", "Case insensitve LDAP server (Windows)" => "LDAP сервер осетљив на велика и мала слова (Windows)", "Turn off SSL certificate validation." => "Искључите потврду SSL сертификата.", -"Not recommended, use for testing only." => "Не препоручује се; користите само за тестирање.", "in seconds. A change empties the cache." => "у секундама. Промена испражњава кеш меморију.", "User Display Name Field" => "Име приказа корисника", "Base User Tree" => "Основно стабло корисника", diff --git a/apps/user_ldap/l10n/sv.php b/apps/user_ldap/l10n/sv.php index d5d47074bed..c7fb33195d7 100644 --- a/apps/user_ldap/l10n/sv.php +++ b/apps/user_ldap/l10n/sv.php @@ -30,14 +30,8 @@ $TRANSLATIONS = array( "Password" => "Lösenord", "For anonymous access, leave DN and Password empty." => "För anonym åtkomst, lämna DN och lösenord tomt.", "User Login Filter" => "Filter logga in användare", -"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action." => "Definierar filter att tillämpa vid inloggningsförsök. %% uid ersätter användarnamn i loginåtgärden.", -"use %%uid placeholder, e.g. \"uid=%%uid\"" => "använd platshållare %%uid, t ex \"uid=%%uid\"", "User List Filter" => "Filter lista användare", -"Defines the filter to apply, when retrieving users." => "Definierar filter att tillämpa vid listning av användare.", -"without any placeholder, e.g. \"objectClass=person\"." => "utan platshållare, t.ex. \"objectClass=person\".", "Group Filter" => "Gruppfilter", -"Defines the filter to apply, when retrieving groups." => "Definierar filter att tillämpa vid listning av grupper.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "utan platshållare, t.ex. \"objectClass=posixGroup\".", "Connection Settings" => "Uppkopplingsinställningar", "Configuration Active" => "Konfiguration aktiv", "When unchecked, this configuration will be skipped." => "Ifall denna är avbockad så kommer konfigurationen att skippas.", @@ -51,8 +45,6 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "Använd inte för LDAPS-anslutningar, det kommer inte att fungera.", "Case insensitve LDAP server (Windows)" => "LDAP-servern är okänslig för gemener och versaler (Windows)", "Turn off SSL certificate validation." => "Stäng av verifiering av SSL-certifikat.", -"If connection only works with this option, import the LDAP server's SSL certificate in your %s server." => "Om anslutningen bara fungerar med detta alternativ, importera LDAP-serverns SSL-certifikat i din% s server.", -"Not recommended, use for testing only." => "Rekommenderas inte, använd bara för test. ", "Cache Time-To-Live" => "Cache Time-To-Live", "in seconds. A change empties the cache." => "i sekunder. En förändring tömmer cache.", "Directory Settings" => "Mappinställningar", diff --git a/apps/user_ldap/l10n/ta_LK.php b/apps/user_ldap/l10n/ta_LK.php index 6a541ca2d52..25053f2e3d1 100644 --- a/apps/user_ldap/l10n/ta_LK.php +++ b/apps/user_ldap/l10n/ta_LK.php @@ -8,12 +8,10 @@ $TRANSLATIONS = array( "You can specify Base DN for users and groups in the Advanced tab" => "நீங்கள் பயனாளர்களுக்கும் மேன்மை தத்தலில் உள்ள குழுவிற்கும் தள DN ஐ குறிப்பிடலாம் ", "User DN" => "பயனாளர் DN", "Password" => "கடவுச்சொல்", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "எந்த ஒதுக்கீடும் இல்லாமல், உதாரணம். \"objectClass=posixGroup\".", "Port" => "துறை ", "Use TLS" => "TLS ஐ பயன்படுத்தவும்", "Case insensitve LDAP server (Windows)" => "உணர்ச்சியான LDAP சேவையகம் (சாளரங்கள்)", "Turn off SSL certificate validation." => "SSL சான்றிதழின் செல்லுபடியை நிறுத்திவிடவும்", -"Not recommended, use for testing only." => "பரிந்துரைக்கப்படவில்லை, சோதனைக்காக மட்டும் பயன்படுத்தவும்.", "in seconds. A change empties the cache." => "செக்கன்களில். ஒரு மாற்றம் இடைமாற்றுநினைவகத்தை வெற்றிடமாக்கும்.", "User Display Name Field" => "பயனாளர் காட்சிப்பெயர் புலம்", "Base User Tree" => "தள பயனாளர் மரம்", diff --git a/apps/user_ldap/l10n/th_TH.php b/apps/user_ldap/l10n/th_TH.php index 34739cb5178..91d93e1235c 100644 --- a/apps/user_ldap/l10n/th_TH.php +++ b/apps/user_ldap/l10n/th_TH.php @@ -26,21 +26,14 @@ $TRANSLATIONS = array( "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, เช่น \"uid=%%uid\"", "User List Filter" => "ตัวกรองข้อมูลรายชื่อผู้ใช้งาน", -"Defines the filter to apply, when retrieving users." => "ระบุตัวกรองข้อมูลที่ต้องการนำไปใช้งาน, เมื่อดึงข้อมูลผู้ใช้งาน", -"without any placeholder, e.g. \"objectClass=person\"." => "โดยไม่ต้องมีตัวยึดใดๆ, เช่น \"objectClass=person\",", "Group Filter" => "ตัวกรองข้อมูลกลุ่ม", -"Defines the filter to apply, when retrieving groups." => "ระบุตัวกรองข้อมูลที่ต้องการนำไปใช้งาน, เมื่อดึงข้อมูลกลุ่ม", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "โดยไม่ต้องมีตัวยึดใดๆ, เช่น \"objectClass=posixGroup\",", "Connection Settings" => "ตั้งค่าการเชื่อมต่อ", "Port" => "พอร์ต", "Disable Main Server" => "ปิดใช้งานเซิร์ฟเวอร์หลัก", "Use TLS" => "ใช้ TLS", "Case insensitve LDAP server (Windows)" => "เซิร์ฟเวอร์ LDAP ประเภท Case insensitive (วินโดวส์)", "Turn off SSL certificate validation." => "ปิดใช้งานการตรวจสอบความถูกต้องของใบรับรองความปลอดภัย SSL", -"Not recommended, use for testing only." => "ไม่แนะนำให้ใช้งาน, ใช้สำหรับการทดสอบเท่านั้น", "in seconds. A change empties the cache." => "ในอีกไม่กี่วินาที ระบบจะเปลี่ยนแปลงข้อมูลในแคชให้ว่างเปล่า", "Directory Settings" => "ตั้งค่าไดเร็กทอรี่", "User Display Name Field" => "ช่องแสดงชื่อผู้ใช้งานที่ต้องการ", diff --git a/apps/user_ldap/l10n/tr.php b/apps/user_ldap/l10n/tr.php index e334ffcc8f5..fc9cceddf03 100644 --- a/apps/user_ldap/l10n/tr.php +++ b/apps/user_ldap/l10n/tr.php @@ -26,14 +26,8 @@ $TRANSLATIONS = array( "Password" => "Parola", "For anonymous access, leave DN and Password empty." => "Anonim erişim için DN ve Parola alanlarını boş bırakın.", "User Login Filter" => "Kullanıcı Oturum Filtresi", -"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action." => "Filter uyunlamak icin tayin ediyor, ne zaman girişmek isteminiz. % % uid adi kullanici girismeye karsi koymacak. ", -"use %%uid placeholder, e.g. \"uid=%%uid\"" => "%%uid yer tutucusunu kullanın, örneğin \"uid=%%uid\"", "User List Filter" => "Kullanıcı Liste Filtresi", -"Defines the filter to apply, when retrieving users." => "Filter uyunmak icin tayin ediyor, ne zaman adi kullanici geri aliyor. ", -"without any placeholder, e.g. \"objectClass=person\"." => "bir yer tutucusu olmadan, örneğin \"objectClass=person\"", "Group Filter" => "Grup Süzgeci", -"Defines the filter to apply, when retrieving groups." => "Filter uyunmak icin tayin ediyor, ne zaman grubalari tekrar aliyor. ", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "siz bir yer tutucu, mes. 'objectClass=posixGroup ('posixGrubu''. ", "Connection Settings" => "Bağlantı ayarları", "When unchecked, this configuration will be skipped." => "Ne zaman iptal, bu uynnlama isletici ", "Port" => "Port", @@ -45,7 +39,6 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "Bu LDAPS baglama icin kullamaminiz, basamacak. ", "Case insensitve LDAP server (Windows)" => "Dusme sunucu LDAP zor degil. (Windows)", "Turn off SSL certificate validation." => "SSL sertifika doğrulamasını kapat.", -"Not recommended, use for testing only." => "Önerilmez, sadece test için kullanın.", "Cache Time-To-Live" => "Cache Time-To-Live ", "in seconds. A change empties the cache." => "saniye cinsinden. Bir değişiklik önbelleği temizleyecektir.", "Directory Settings" => "Parametrar Listesin Adresinin ", diff --git a/apps/user_ldap/l10n/uk.php b/apps/user_ldap/l10n/uk.php index ebf7dbd5d84..5fb52761215 100644 --- a/apps/user_ldap/l10n/uk.php +++ b/apps/user_ldap/l10n/uk.php @@ -27,14 +27,8 @@ $TRANSLATIONS = array( "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 заповнювач, наприклад: \"uid=%%uid\"", "User List Filter" => "Фільтр Списку Користувачів", -"Defines the filter to apply, when retrieving users." => "Визначає фільтр, який застосовується при отриманні користувачів", -"without any placeholder, e.g. \"objectClass=person\"." => "без будь-якого заповнювача, наприклад: \"objectClass=person\".", "Group Filter" => "Фільтр Груп", -"Defines the filter to apply, when retrieving groups." => "Визначає фільтр, який застосовується при отриманні груп.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "без будь-якого заповнювача, наприклад: \"objectClass=posixGroup\".", "Connection Settings" => "Налаштування З'єднання", "Configuration Active" => "Налаштування Активне", "When unchecked, this configuration will be skipped." => "Якщо \"галочка\" знята, ця конфігурація буде пропущена.", @@ -47,7 +41,6 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "Не використовуйте це додатково для під'єднання до LDAP, бо виконано не буде.", "Case insensitve LDAP server (Windows)" => "Нечутливий до регістру LDAP сервер (Windows)", "Turn off SSL certificate validation." => "Вимкнути перевірку SSL сертифіката.", -"Not recommended, use for testing only." => "Не рекомендується, використовуйте лише для тестів.", "Cache Time-To-Live" => "Час актуальності Кеша", "in seconds. A change empties the cache." => "в секундах. Зміна очищує кеш.", "Directory Settings" => "Налаштування Каталога", diff --git a/apps/user_ldap/l10n/vi.php b/apps/user_ldap/l10n/vi.php index c4fe9b73bcc..7ef961df7ad 100644 --- a/apps/user_ldap/l10n/vi.php +++ b/apps/user_ldap/l10n/vi.php @@ -12,14 +12,8 @@ $TRANSLATIONS = array( "Password" => "Mật khẩu", "For anonymous access, leave DN and Password empty." => "Cho phép truy cập nặc danh , DN và mật khẩu trống.", "User Login Filter" => "Lọc người dùng đăng nhập", -"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action." => "Xác định các bộ lọc để áp dụng, khi đăng nhập . uid%% thay thế tên người dùng trong các lần đăng nhập.", -"use %%uid placeholder, e.g. \"uid=%%uid\"" => "use %%uid placeholder, e.g. \"uid=%%uid\"", "User List Filter" => "Lọc danh sách thành viên", -"Defines the filter to apply, when retrieving users." => "Xác định các bộ lọc để áp dụng, khi người dụng sử dụng.", -"without any placeholder, e.g. \"objectClass=person\"." => "mà không giữ chỗ nào, ví dụ như \"objectClass = person\".", "Group Filter" => "Bộ lọc nhóm", -"Defines the filter to apply, when retrieving groups." => "Xác định các bộ lọc để áp dụng, khi nhóm sử dụng.", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "mà không giữ chỗ nào, ví dụ như \"objectClass = osixGroup\".", "Connection Settings" => "Connection Settings", "Port" => "Cổng", "Backup (Replica) Port" => "Cổng sao lưu (Replica)", @@ -28,7 +22,6 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "Do not use it additionally for LDAPS connections, it will fail.", "Case insensitve LDAP server (Windows)" => "Trường hợp insensitve LDAP máy chủ (Windows)", "Turn off SSL certificate validation." => "Tắt xác thực chứng nhận SSL", -"Not recommended, use for testing only." => "Không khuyến khích, Chỉ sử dụng để thử nghiệm.", "in seconds. A change empties the cache." => "trong vài giây. Một sự thay đổi bộ nhớ cache.", "Directory Settings" => "Directory Settings", "User Display Name Field" => "Hiển thị tên người sử dụng", diff --git a/apps/user_ldap/l10n/zh_CN.GB2312.php b/apps/user_ldap/l10n/zh_CN.GB2312.php index 92eded19b4c..306b84a588e 100644 --- a/apps/user_ldap/l10n/zh_CN.GB2312.php +++ b/apps/user_ldap/l10n/zh_CN.GB2312.php @@ -12,19 +12,12 @@ $TRANSLATIONS = array( "Password" => "密码", "For anonymous access, leave DN and Password empty." => "匿名访问请留空判别名和密码。", "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 占位符,例如 \"uid=%%uid\"", "User List Filter" => "用户列表过滤器", -"Defines the filter to apply, when retrieving users." => "定义撷取用户时要应用的过滤器。", -"without any placeholder, e.g. \"objectClass=person\"." => "不能使用占位符,例如 \"objectClass=person\"。", "Group Filter" => "群组过滤器", -"Defines the filter to apply, when retrieving groups." => "定义撷取群组时要应用的过滤器", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "不能使用占位符,例如 \"objectClass=posixGroup\"。", "Port" => "端口", "Use TLS" => "使用 TLS", "Case insensitve LDAP server (Windows)" => "大小写不敏感的 LDAP 服务器 (Windows)", "Turn off SSL certificate validation." => "关闭 SSL 证书校验。", -"Not recommended, use for testing only." => "不推荐,仅供测试", "in seconds. A change empties the cache." => "以秒计。修改会清空缓存。", "User Display Name Field" => "用户显示名称字段", "Base User Tree" => "基本用户树", diff --git a/apps/user_ldap/l10n/zh_CN.php b/apps/user_ldap/l10n/zh_CN.php index 5107b7b1ab7..c30cb421505 100644 --- a/apps/user_ldap/l10n/zh_CN.php +++ b/apps/user_ldap/l10n/zh_CN.php @@ -29,14 +29,8 @@ $TRANSLATIONS = array( "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作为占位符,例如“uid=%%uid”", "User List Filter" => "用户列表过滤", -"Defines the filter to apply, when retrieving users." => "定义拉取用户时的过滤器", -"without any placeholder, e.g. \"objectClass=person\"." => "没有任何占位符,如 \"objectClass=person\".", "Group Filter" => "组过滤", -"Defines the filter to apply, when retrieving groups." => "定义拉取组信息时的过滤器", -"without any placeholder, e.g. \"objectClass=posixGroup\"." => "无需占位符,例如\"objectClass=posixGroup\"", "Connection Settings" => "连接设置", "Configuration Active" => "现行配置", "When unchecked, this configuration will be skipped." => "当反选后,此配置将被忽略。", @@ -49,7 +43,6 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "对于 LDAPS 连接不要额外启用它,连接必然失败。", "Case insensitve LDAP server (Windows)" => "大小写敏感LDAP服务器(Windows)", "Turn off SSL certificate validation." => "关闭SSL证书验证", -"Not recommended, use for testing only." => "暂不推荐,仅供测试", "Cache Time-To-Live" => "缓存存活时间", "in seconds. A change empties the cache." => "以秒计。修改将清空缓存。", "Directory Settings" => "目录设置", diff --git a/apps/user_ldap/l10n/zh_TW.php b/apps/user_ldap/l10n/zh_TW.php index 84e1f83aefc..38bed895742 100644 --- a/apps/user_ldap/l10n/zh_TW.php +++ b/apps/user_ldap/l10n/zh_TW.php @@ -27,14 +27,8 @@ $TRANSLATIONS = array( "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." => "沒有被勾選時,此設定會被略過。", @@ -46,7 +40,6 @@ $TRANSLATIONS = array( "Use TLS" => "使用TLS", "Case insensitve LDAP server (Windows)" => "不區分大小寫的LDAP伺服器(Windows)", "Turn off SSL certificate validation." => "關閉 SSL 憑證驗證", -"Not recommended, use for testing only." => "不推薦使用,僅供測試用途。", "Cache Time-To-Live" => "快取的存活時間", "in seconds. A change empties the cache." => "以秒為單位。更變後會清空快取。", "Directory Settings" => "目錄選項", diff --git a/apps/user_webdavauth/l10n/zh_TW.php b/apps/user_webdavauth/l10n/zh_TW.php index 304ecdaf4f3..013a1652f32 100644 --- a/apps/user_webdavauth/l10n/zh_TW.php +++ b/apps/user_webdavauth/l10n/zh_TW.php @@ -1,5 +1,7 @@ "WebDAV 認證" +"WebDAV Authentication" => "WebDAV 認證", +"Address: " => "為址", +"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." => "使用者憑證將會被傳送到此位址。此外掛程式將會檢查回應,HTTP statuscodes 401與403將會被理解為無效憑證,而所有其他的回應將會被理解為有效憑證。" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/core/l10n/af_ZA.php b/core/l10n/af_ZA.php index ed5989e43bd..41447055609 100644 --- a/core/l10n/af_ZA.php +++ b/core/l10n/af_ZA.php @@ -31,8 +31,6 @@ $TRANSLATIONS = array( "Log out" => "Teken uit", "Lost your password?" => "Jou wagwoord verloor?", "remember" => "onthou", -"Log in" => "Teken aan", -"prev" => "vorige", -"next" => "volgende" +"Log in" => "Teken aan" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/ar.php b/core/l10n/ar.php index b61b5cd060a..84f076f3018 100644 --- a/core/l10n/ar.php +++ b/core/l10n/ar.php @@ -40,7 +40,6 @@ $TRANSLATIONS = array( "last year" => "السنةالماضية", "years ago" => "سنة مضت", "Choose" => "اختيار", -"Cancel" => "الغاء", "Yes" => "نعم", "No" => "لا", "Ok" => "موافق", @@ -122,8 +121,6 @@ $TRANSLATIONS = array( "remember" => "تذكر", "Log in" => "أدخل", "Alternative Logins" => "اسماء دخول بديلة", -"prev" => "السابق", -"next" => "التالي", "Updating ownCloud to version %s, this may take a while." => "جاري تحديث Owncloud الى اصدار %s , قد يستغرق هذا بعض الوقت." ); $PLURAL_FORMS = "nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;"; diff --git a/core/l10n/be.php b/core/l10n/be.php index de1b24e4a7a..83f0d99a2e4 100644 --- a/core/l10n/be.php +++ b/core/l10n/be.php @@ -5,8 +5,6 @@ $TRANSLATIONS = array( "_%n day ago_::_%n days ago_" => array("","","",""), "_%n month ago_::_%n months ago_" => array("","","",""), "Advanced" => "Дасведчаны", -"Finish setup" => "Завяршыць ўстаноўку.", -"prev" => "Папярэдняя", -"next" => "Далей" +"Finish setup" => "Завяршыць ўстаноўку." ); $PLURAL_FORMS = "nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"; diff --git a/core/l10n/bg_BG.php b/core/l10n/bg_BG.php index d79fe87c8f0..8afe42f206b 100644 --- a/core/l10n/bg_BG.php +++ b/core/l10n/bg_BG.php @@ -31,7 +31,6 @@ $TRANSLATIONS = array( "_%n month ago_::_%n months ago_" => array("",""), "last year" => "последната година", "years ago" => "последните години", -"Cancel" => "Отказ", "Yes" => "Да", "No" => "Не", "Ok" => "Добре", @@ -68,8 +67,6 @@ $TRANSLATIONS = array( "Log out" => "Изход", "Lost your password?" => "Забравена парола?", "remember" => "запомни", -"Log in" => "Вход", -"prev" => "пред.", -"next" => "следващо" +"Log in" => "Вход" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/bn_BD.php b/core/l10n/bn_BD.php index b9227e1e61e..5e65d681ec2 100644 --- a/core/l10n/bn_BD.php +++ b/core/l10n/bn_BD.php @@ -39,7 +39,6 @@ $TRANSLATIONS = array( "last year" => "গত বছর", "years ago" => "বছর পূর্বে", "Choose" => "বেছে নিন", -"Cancel" => "বাতির", "Yes" => "হ্যাঁ", "No" => "না", "Ok" => "তথাস্তু", @@ -111,8 +110,6 @@ $TRANSLATIONS = array( "Lost your password?" => "কূটশব্দ হারিয়েছেন?", "remember" => "মনে রাখ", "Log in" => "প্রবেশ", -"prev" => "পূর্ববর্তী", -"next" => "পরবর্তী", "Updating ownCloud to version %s, this may take a while." => "%s ভার্সনে ownCloud পরিবর্ধন করা হচ্ছে, এজন্য কিছু সময় প্রয়োজন।" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/ca.php b/core/l10n/ca.php index 41b85875e77..3b8b57e8ac1 100644 --- a/core/l10n/ca.php +++ b/core/l10n/ca.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "last year" => "l'any passat", "years ago" => "anys enrere", "Choose" => "Escull", -"Cancel" => "Cancel·la", "Error loading file picker template" => "Error en carregar la plantilla del seleccionador de fitxers", "Yes" => "Sí", "No" => "No", @@ -134,8 +133,6 @@ $TRANSLATIONS = array( "Log in" => "Inici de sessió", "Alternative Logins" => "Acreditacions alternatives", "Hey there,

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

    Cheers!" => "Ei,

    només fer-te saber que %s ha compartit %s amb tu.
    Mira-ho:

    Salut!", -"prev" => "anterior", -"next" => "següent", "Updating ownCloud to version %s, this may take a while." => "S'està actualitzant ownCloud a la versió %s, pot trigar una estona." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/cs_CZ.php b/core/l10n/cs_CZ.php index f984d1e526b..78614eef0e7 100644 --- a/core/l10n/cs_CZ.php +++ b/core/l10n/cs_CZ.php @@ -30,18 +30,17 @@ $TRANSLATIONS = array( "December" => "Prosinec", "Settings" => "Nastavení", "seconds ago" => "před pár vteřinami", -"_%n minute ago_::_%n minutes ago_" => array("","",""), -"_%n hour ago_::_%n hours ago_" => array("","",""), +"_%n minute ago_::_%n minutes ago_" => array("před %n minutou","před %n minutami","před %n minutami"), +"_%n hour ago_::_%n hours ago_" => array("před %n hodinou","před %n hodinami","před %n hodinami"), "today" => "dnes", "yesterday" => "včera", -"_%n day ago_::_%n days ago_" => array("","",""), +"_%n day ago_::_%n days ago_" => array("před %n dnem","před %n dny","před %n dny"), "last month" => "minulý měsíc", -"_%n month ago_::_%n months ago_" => array("","",""), +"_%n month ago_::_%n months ago_" => array("před %n měsícem","před %n měsíci","před %n měsíci"), "months ago" => "před měsíci", "last year" => "minulý rok", "years ago" => "před lety", "Choose" => "Vybrat", -"Cancel" => "Zrušit", "Error loading file picker template" => "Chyba při načítání šablony výběru souborů", "Yes" => "Ano", "No" => "Ne", @@ -84,6 +83,7 @@ $TRANSLATIONS = array( "Email sent" => "E-mail odeslán", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Aktualizace neproběhla úspěšně. Nahlaste prosím problém do evidence chyb ownCloud", "The update was successful. Redirecting you to ownCloud now." => "Aktualizace byla úspěšná. Přesměrovávám na ownCloud.", +"%s password reset" => "reset hesla %s", "Use the following link to reset your password: {link}" => "Heslo obnovíte použitím následujícího odkazu: {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 ." => "Odkaz na obnovení hesla byl odeslán na vaši e-mailovou adresu.
    Pokud jej v krátké době neobdržíte, zkontrolujte váš koš a složku spam.
    Pokud jej nenaleznete, kontaktujte svého správce.", "Request failed!
    Did you make sure your email/username was right?" => "Požadavek selhal!
    Ujistili jste se, že vaše uživatelské jméno a e-mail jsou správně?", @@ -135,8 +135,6 @@ $TRANSLATIONS = array( "Log in" => "Přihlásit", "Alternative Logins" => "Alternativní přihlášení", "Hey there,

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

    Cheers!" => "Ahoj,

    jenom vám chci oznámit, že %s s vámi sdílí %s.\nPodívat se můžete
    zde.

    Díky", -"prev" => "předchozí", -"next" => "následující", "Updating ownCloud to version %s, this may take a while." => "Aktualizuji ownCloud na verzi %s, bude to chvíli trvat." ); $PLURAL_FORMS = "nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;"; diff --git a/core/l10n/cy_GB.php b/core/l10n/cy_GB.php index 0123b098485..442970fbb0b 100644 --- a/core/l10n/cy_GB.php +++ b/core/l10n/cy_GB.php @@ -40,7 +40,6 @@ $TRANSLATIONS = array( "last year" => "y llynedd", "years ago" => "blwyddyn yn ôl", "Choose" => "Dewisiwch", -"Cancel" => "Diddymu", "Yes" => "Ie", "No" => "Na", "Ok" => "Iawn", @@ -125,8 +124,6 @@ $TRANSLATIONS = array( "remember" => "cofio", "Log in" => "Mewngofnodi", "Alternative Logins" => "Mewngofnodiadau Amgen", -"prev" => "blaenorol", -"next" => "nesaf", "Updating ownCloud to version %s, this may take a while." => "Yn diweddaru owncloud i fersiwn %s, gall hyn gymryd amser." ); $PLURAL_FORMS = "nplurals=4; plural=(n==1) ? 0 : (n==2) ? 1 : (n != 8 && n != 11) ? 2 : 3;"; diff --git a/core/l10n/da.php b/core/l10n/da.php index f028331f891..79ccc20d495 100644 --- a/core/l10n/da.php +++ b/core/l10n/da.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "last year" => "sidste år", "years ago" => "år siden", "Choose" => "Vælg", -"Cancel" => "Annuller", "Error loading file picker template" => "Fejl ved indlæsning af filvælger skabelon", "Yes" => "Ja", "No" => "Nej", @@ -136,8 +135,6 @@ $TRANSLATIONS = array( "Log in" => "Log ind", "Alternative Logins" => "Alternative logins", "Hey there,

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

    Cheers!" => "Hallo,

    dette blot for at lade dig vide, at %s har delt \"%s\" med dig.
    Se det!

    Hej", -"prev" => "forrige", -"next" => "næste", "Updating ownCloud to version %s, this may take a while." => "Opdatere Owncloud til version %s, dette kan tage et stykke tid." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/de.php b/core/l10n/de.php index c4b22ecd874..2fe2f564124 100644 --- a/core/l10n/de.php +++ b/core/l10n/de.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "last year" => "Letztes Jahr", "years ago" => "Vor Jahren", "Choose" => "Auswählen", -"Cancel" => "Abbrechen", "Error loading file picker template" => "Dateiauswahltemplate konnte nicht geladen werden", "Yes" => "Ja", "No" => "Nein", @@ -136,8 +135,6 @@ $TRANSLATIONS = array( "Log in" => "Einloggen", "Alternative Logins" => "Alternative Logins", "Hey there,

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

    Cheers!" => "Hallo,

    wollte dich nur kurz informieren, dass %s gerade %s mit dir geteilt hat.
    Schau es dir an.

    Gruß!", -"prev" => "Zurück", -"next" => "Weiter", "Updating ownCloud to version %s, this may take a while." => "Aktualisiere ownCloud auf Version %s. Dies könnte eine Weile dauern." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/de_CH.php b/core/l10n/de_CH.php index 81c74d841ee..3e622ace6f6 100644 --- a/core/l10n/de_CH.php +++ b/core/l10n/de_CH.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "last year" => "Letztes Jahr", "years ago" => "Vor Jahren", "Choose" => "Auswählen", -"Cancel" => "Abbrechen", "Error loading file picker template" => "Es ist ein Fehler in der Vorlage des Datei-Auswählers aufgetreten.", "Yes" => "Ja", "No" => "Nein", @@ -135,8 +134,6 @@ $TRANSLATIONS = array( "Log in" => "Einloggen", "Alternative Logins" => "Alternative Logins", "Hey there,

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

    Cheers!" => "Hallo,

    ich wollte Sie nur wissen lassen, dass %s %s mit Ihnen teilt.
    Schauen Sie es sich an!

    Viele Grüsse!", -"prev" => "Zurück", -"next" => "Weiter", "Updating ownCloud to version %s, this may take a while." => "Aktualisiere ownCloud auf Version %s. Dies könnte eine Weile dauern." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/de_DE.php b/core/l10n/de_DE.php index a323fd08193..60f5418727a 100644 --- a/core/l10n/de_DE.php +++ b/core/l10n/de_DE.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "last year" => "Letztes Jahr", "years ago" => "Vor Jahren", "Choose" => "Auswählen", -"Cancel" => "Abbrechen", "Error loading file picker template" => "Es ist ein Fehler in der Vorlage des Datei-Auswählers aufgetreten.", "Yes" => "Ja", "No" => "Nein", @@ -136,8 +135,6 @@ $TRANSLATIONS = array( "Log in" => "Einloggen", "Alternative Logins" => "Alternative Logins", "Hey there,

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

    Cheers!" => "Hallo,

    ich wollte Sie nur wissen lassen, dass %s %s mit Ihnen teilt.
    Schauen Sie es sich an!

    Viele Grüße!", -"prev" => "Zurück", -"next" => "Weiter", "Updating ownCloud to version %s, this may take a while." => "Aktualisiere ownCloud auf Version %s. Dies könnte eine Weile dauern." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/el.php b/core/l10n/el.php index 330a29e2743..51a3a68d788 100644 --- a/core/l10n/el.php +++ b/core/l10n/el.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "last year" => "τελευταίο χρόνο", "years ago" => "χρόνια πριν", "Choose" => "Επιλέξτε", -"Cancel" => "Άκυρο", "Error loading file picker template" => "Σφάλμα φόρτωσης αρχείου επιλογέα προτύπου", "Yes" => "Ναι", "No" => "Όχι", @@ -134,8 +133,6 @@ $TRANSLATIONS = array( "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,μπορεί να πάρει λίγο χρόνο." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/eo.php b/core/l10n/eo.php index 66fc435fec7..fc688b103a6 100644 --- a/core/l10n/eo.php +++ b/core/l10n/eo.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "last year" => "lastajare", "years ago" => "jaroj antaŭe", "Choose" => "Elekti", -"Cancel" => "Nuligi", "Yes" => "Jes", "No" => "Ne", "Ok" => "Akcepti", @@ -126,8 +125,6 @@ $TRANSLATIONS = array( "Log in" => "Ensaluti", "Alternative Logins" => "Alternativaj ensalutoj", "Hey there,

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

    Cheers!" => "Saluton:

    Ni nur sciigas vin, ke %s kunhavigis “%s” kun vi.
    Vidu ĝin

    Ĝis!", -"prev" => "maljena", -"next" => "jena", "Updating ownCloud to version %s, this may take a while." => "ownCloud ĝisdatiĝas al eldono %s, tio ĉi povas daŭri je iom da tempo." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/es.php b/core/l10n/es.php index fba08b9f60a..9e7f5656683 100644 --- a/core/l10n/es.php +++ b/core/l10n/es.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "last year" => "el año pasado", "years ago" => "hace años", "Choose" => "Seleccionar", -"Cancel" => "Cancelar", "Error loading file picker template" => "Error cargando la plantilla del seleccionador de archivos", "Yes" => "Sí", "No" => "No", @@ -134,8 +133,6 @@ $TRANSLATIONS = array( "Log in" => "Entrar", "Alternative Logins" => "Inicios de sesión alternativos", "Hey there,

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

    Cheers!" => "Oye,

    sólo te hago saber que %s compartido %s contigo,
    \nMíralo!

    Disfrutalo!", -"prev" => "anterior", -"next" => "siguiente", "Updating ownCloud to version %s, this may take a while." => "Actualizando ownCloud a la versión %s, esto puede demorar un tiempo." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/es_AR.php b/core/l10n/es_AR.php index 68c501e05a3..cd51ba2f441 100644 --- a/core/l10n/es_AR.php +++ b/core/l10n/es_AR.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "last year" => "el año pasado", "years ago" => "años atrás", "Choose" => "Elegir", -"Cancel" => "Cancelar", "Error loading file picker template" => "Error al cargar la plantilla del seleccionador de archivos", "Yes" => "Sí", "No" => "No", @@ -132,8 +131,6 @@ $TRANSLATIONS = array( "Log in" => "Iniciar sesión", "Alternative Logins" => "Nombre alternativos de usuarios", "Hey there,

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

    Cheers!" => "Hola,

    Simplemente te informo que %s compartió %s con vos.
    Miralo acá:

    ¡Chau!", -"prev" => "anterior", -"next" => "siguiente", "Updating ownCloud to version %s, this may take a while." => "Actualizando ownCloud a la versión %s, puede demorar un rato." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/et_EE.php b/core/l10n/et_EE.php index 5524411e77d..8c2fb2804dd 100644 --- a/core/l10n/et_EE.php +++ b/core/l10n/et_EE.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "last year" => "viimasel aastal", "years ago" => "aastat tagasi", "Choose" => "Vali", -"Cancel" => "Loobu", "Error loading file picker template" => "Viga failivalija malli laadimisel", "Yes" => "Jah", "No" => "Ei", @@ -135,8 +134,6 @@ $TRANSLATIONS = array( "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." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/eu.php b/core/l10n/eu.php index 5ab0e032e4b..280c5a94b60 100644 --- a/core/l10n/eu.php +++ b/core/l10n/eu.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "last year" => "joan den urtean", "years ago" => "urte", "Choose" => "Aukeratu", -"Cancel" => "Ezeztatu", "Error loading file picker template" => "Errorea fitxategi hautatzaile txantiloiak kargatzerakoan", "Yes" => "Bai", "No" => "Ez", @@ -134,8 +133,6 @@ $TRANSLATIONS = array( "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." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/fa.php b/core/l10n/fa.php index f9af8787e0a..a9e17a194ae 100644 --- a/core/l10n/fa.php +++ b/core/l10n/fa.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "last year" => "سال قبل", "years ago" => "سال‌های قبل", "Choose" => "انتخاب کردن", -"Cancel" => "منصرف شدن", "Error loading file picker template" => "خطا در بارگذاری قالب انتخاب کننده فایل", "Yes" => "بله", "No" => "نه", @@ -132,8 +131,6 @@ $TRANSLATIONS = array( "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، این عملیات ممکن است زمان بر باشد." ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/core/l10n/fi_FI.php b/core/l10n/fi_FI.php index 22d35c14716..d3cfe01293e 100644 --- a/core/l10n/fi_FI.php +++ b/core/l10n/fi_FI.php @@ -39,7 +39,6 @@ $TRANSLATIONS = array( "last year" => "viime vuonna", "years ago" => "vuotta sitten", "Choose" => "Valitse", -"Cancel" => "Peru", "Yes" => "Kyllä", "No" => "Ei", "Ok" => "Ok", @@ -128,8 +127,6 @@ $TRANSLATIONS = array( "Log in" => "Kirjaudu sisään", "Alternative Logins" => "Vaihtoehtoiset kirjautumiset", "Hey there,

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

    Cheers!" => "Hei!

    %s jakoi kohteen »%s« kanssasi.
    Katso se tästä!

    Näkemiin!", -"prev" => "edellinen", -"next" => "seuraava", "Updating ownCloud to version %s, this may take a while." => "Päivitetään ownCloud versioon %s, tämä saattaa kestää hetken." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/fr.php b/core/l10n/fr.php index 641378ac42b..3f85cb1503f 100644 --- a/core/l10n/fr.php +++ b/core/l10n/fr.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "last year" => "l'année dernière", "years ago" => "il y a plusieurs années", "Choose" => "Choisir", -"Cancel" => "Annuler", "Error loading file picker template" => "Erreur de chargement du modèle du sélecteur de fichier", "Yes" => "Oui", "No" => "Non", @@ -132,8 +131,6 @@ $TRANSLATIONS = array( "Log in" => "Connexion", "Alternative Logins" => "Logins alternatifs", "Hey there,

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

    Cheers!" => "Salut,

    je veux juste vous signaler %s partagé »%s« avec vous.
    Voyez-le!

    Bonne continuation!", -"prev" => "précédent", -"next" => "suivant", "Updating ownCloud to version %s, this may take a while." => "Mise à jour en cours d'ownCloud vers la version %s, cela peut prendre du temps." ); $PLURAL_FORMS = "nplurals=2; plural=(n > 1);"; diff --git a/core/l10n/gl.php b/core/l10n/gl.php index 5c505567768..9db68bbbd05 100644 --- a/core/l10n/gl.php +++ b/core/l10n/gl.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "last year" => "último ano", "years ago" => "anos atrás", "Choose" => "Escoller", -"Cancel" => "Cancelar", "Error loading file picker template" => "Produciuse un erro ao cargar o modelo do selector de ficheiros", "Yes" => "Si", "No" => "Non", @@ -136,8 +135,6 @@ $TRANSLATIONS = array( "Log in" => "Conectar", "Alternative Logins" => "Accesos alternativos", "Hey there,

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

    Cheers!" => "Ola,

    só facerlle saber que %s compartiu «%s» con vostede.
    Véxao!

    Saúdos!", -"prev" => "anterior", -"next" => "seguinte", "Updating ownCloud to version %s, this may take a while." => "Actualizando ownCloud a versión %s, esto pode levar un anaco." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/he.php b/core/l10n/he.php index 6a2e5c88eeb..7f3f4dfdd32 100644 --- a/core/l10n/he.php +++ b/core/l10n/he.php @@ -40,7 +40,6 @@ $TRANSLATIONS = array( "last year" => "שנה שעברה", "years ago" => "שנים", "Choose" => "בחירה", -"Cancel" => "ביטול", "Error loading file picker template" => "שגיאה בטעינת תבנית בחירת הקבצים", "Yes" => "כן", "No" => "לא", @@ -126,8 +125,6 @@ $TRANSLATIONS = array( "remember" => "שמירת הססמה", "Log in" => "כניסה", "Alternative Logins" => "כניסות אלטרנטיביות", -"prev" => "הקודם", -"next" => "הבא", "Updating ownCloud to version %s, this may take a while." => "מעדכן את ownCloud אל גרסא %s, זה עלול לקחת זמן מה." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/hi.php b/core/l10n/hi.php index 7ad75a41a1b..00cb5926d70 100644 --- a/core/l10n/hi.php +++ b/core/l10n/hi.php @@ -41,8 +41,6 @@ $TRANSLATIONS = array( "Database name" => "डेटाबेस का नाम", "Finish setup" => "सेटअप समाप्त करे", "Log out" => "लोग आउट", -"remember" => "याद रखें", -"prev" => "पिछला", -"next" => "अगला" +"remember" => "याद रखें" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/hr.php b/core/l10n/hr.php index 403df77f819..97fbfb8b97f 100644 --- a/core/l10n/hr.php +++ b/core/l10n/hr.php @@ -34,7 +34,6 @@ $TRANSLATIONS = array( "last year" => "prošlu godinu", "years ago" => "godina", "Choose" => "Izaberi", -"Cancel" => "Odustani", "Yes" => "Da", "No" => "Ne", "Ok" => "U redu", @@ -93,8 +92,6 @@ $TRANSLATIONS = array( "Log out" => "Odjava", "Lost your password?" => "Izgubili ste lozinku?", "remember" => "zapamtiti", -"Log in" => "Prijava", -"prev" => "prethodan", -"next" => "sljedeći" +"Log in" => "Prijava" ); $PLURAL_FORMS = "nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;"; diff --git a/core/l10n/hu_HU.php b/core/l10n/hu_HU.php index ddec9c1e4ca..c231d7f9a44 100644 --- a/core/l10n/hu_HU.php +++ b/core/l10n/hu_HU.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "last year" => "tavaly", "years ago" => "több éve", "Choose" => "Válasszon", -"Cancel" => "Mégsem", "Error loading file picker template" => "Nem sikerült betölteni a fájlkiválasztó sablont", "Yes" => "Igen", "No" => "Nem", @@ -134,8 +133,6 @@ $TRANSLATIONS = array( "Log in" => "Bejelentkezés", "Alternative Logins" => "Alternatív bejelentkezés", "Hey there,

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

    Cheers!" => "Üdv!

    Új hír: %s megosztotta Önnel ezt: »%s«.
    Itt nézhető meg!

    Minden jót!", -"prev" => "előző", -"next" => "következő", "Updating ownCloud to version %s, this may take a while." => "Owncloud frissítés a %s verzióra folyamatban. Kis türelmet." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/ia.php b/core/l10n/ia.php index e0d1e96f6ac..0556d5d1295 100644 --- a/core/l10n/ia.php +++ b/core/l10n/ia.php @@ -24,7 +24,6 @@ $TRANSLATIONS = array( "_%n hour ago_::_%n hours ago_" => array("",""), "_%n day ago_::_%n days ago_" => array("",""), "_%n month ago_::_%n months ago_" => array("",""), -"Cancel" => "Cancellar", "Error" => "Error", "Share" => "Compartir", "Password" => "Contrasigno", @@ -56,8 +55,6 @@ $TRANSLATIONS = array( "Log out" => "Clauder le session", "Lost your password?" => "Tu perdeva le contrasigno?", "remember" => "memora", -"Log in" => "Aperir session", -"prev" => "prev", -"next" => "prox" +"Log in" => "Aperir session" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/id.php b/core/l10n/id.php index 644efde9fc0..fc6cb788fb0 100644 --- a/core/l10n/id.php +++ b/core/l10n/id.php @@ -40,7 +40,6 @@ $TRANSLATIONS = array( "last year" => "tahun kemarin", "years ago" => "beberapa tahun lalu", "Choose" => "Pilih", -"Cancel" => "Batal", "Yes" => "Ya", "No" => "Tidak", "Ok" => "Oke", @@ -122,8 +121,6 @@ $TRANSLATIONS = array( "remember" => "selalu masuk", "Log in" => "Masuk", "Alternative Logins" => "Cara Alternatif untuk Masuk", -"prev" => "sebelumnya", -"next" => "selanjutnya", "Updating ownCloud to version %s, this may take a while." => "Memperbarui ownCloud ke versi %s, prosesnya akan berlangsung beberapa saat." ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/core/l10n/is.php b/core/l10n/is.php index 5115d70ee7a..8211421cf35 100644 --- a/core/l10n/is.php +++ b/core/l10n/is.php @@ -39,7 +39,6 @@ $TRANSLATIONS = array( "last year" => "síðasta ári", "years ago" => "einhverjum árum", "Choose" => "Veldu", -"Cancel" => "Hætta við", "Yes" => "Já", "No" => "Nei", "Ok" => "Í lagi", @@ -118,8 +117,6 @@ $TRANSLATIONS = array( "Lost your password?" => "Týndir þú lykilorðinu?", "remember" => "muna eftir mér", "Log in" => "Skrá inn", -"prev" => "fyrra", -"next" => "næsta", "Updating ownCloud to version %s, this may take a while." => "Uppfæri ownCloud í útgáfu %s, það gæti tekið smá stund." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/it.php b/core/l10n/it.php index 9c55f7125a7..7a0af92070d 100644 --- a/core/l10n/it.php +++ b/core/l10n/it.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "last year" => "anno scorso", "years ago" => "anni fa", "Choose" => "Scegli", -"Cancel" => "Annulla", "Error loading file picker template" => "Errore durante il caricamento del modello del selezionatore di file", "Yes" => "Sì", "No" => "No", @@ -134,8 +133,6 @@ $TRANSLATIONS = array( "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!", -"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." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/ja_JP.php b/core/l10n/ja_JP.php index fc184088293..31d2f92eff2 100644 --- a/core/l10n/ja_JP.php +++ b/core/l10n/ja_JP.php @@ -30,18 +30,17 @@ $TRANSLATIONS = array( "December" => "12月", "Settings" => "設定", "seconds ago" => "数秒前", -"_%n minute ago_::_%n minutes ago_" => array(""), -"_%n hour ago_::_%n hours ago_" => array(""), +"_%n minute ago_::_%n minutes ago_" => array("%n 分前"), +"_%n hour ago_::_%n hours ago_" => array("%n 時間後"), "today" => "今日", "yesterday" => "昨日", -"_%n day ago_::_%n days ago_" => array(""), +"_%n day ago_::_%n days ago_" => array("%n 日後"), "last month" => "一月前", -"_%n month ago_::_%n months ago_" => array(""), +"_%n month ago_::_%n months ago_" => array("%n カ月後"), "months ago" => "月前", "last year" => "一年前", "years ago" => "年前", "Choose" => "選択", -"Cancel" => "キャンセル", "Error loading file picker template" => "ファイルピッカーのテンプレートの読み込みエラー", "Yes" => "はい", "No" => "いいえ", @@ -84,6 +83,7 @@ $TRANSLATIONS = array( "Email sent" => "メールを送信しました", "The update was unsuccessful. Please report this issue to the ownCloud community." => "更新に成功しました。この問題を ownCloud community にレポートしてください。", "The update was successful. Redirecting you to ownCloud now." => "更新に成功しました。今すぐownCloudにリダイレクトします。", +"%s password reset" => "%s パスワードリセット", "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 ." => "パスワードリセットのリンクをあなたのメールアドレスに送信しました。
    しばらくたっても受信出来ない場合は、スパム/迷惑メールフォルダを確認して下さい。
    もしそこにもない場合は、管理者に問い合わせてください。", "Request failed!
    Did you make sure your email/username was right?" => "リクエストに失敗しました!
    あなたのメール/ユーザ名が正しいことを確認しましたか?", @@ -135,8 +135,6 @@ $TRANSLATIONS = array( "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 に更新しています、しばらくお待ち下さい。" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/core/l10n/ka_GE.php b/core/l10n/ka_GE.php index bf9ce1b8a46..0f4b23906d6 100644 --- a/core/l10n/ka_GE.php +++ b/core/l10n/ka_GE.php @@ -40,7 +40,6 @@ $TRANSLATIONS = array( "last year" => "ბოლო წელს", "years ago" => "წლის წინ", "Choose" => "არჩევა", -"Cancel" => "უარყოფა", "Yes" => "კი", "No" => "არა", "Ok" => "დიახ", @@ -122,8 +121,6 @@ $TRANSLATIONS = array( "remember" => "დამახსოვრება", "Log in" => "შესვლა", "Alternative Logins" => "ალტერნატიული Login–ი", -"prev" => "წინა", -"next" => "შემდეგი", "Updating ownCloud to version %s, this may take a while." => "ownCloud–ის განახლება %s–ვერსიამდე. ეს მოითხოვს გარკვეულ დროს." ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/core/l10n/ko.php b/core/l10n/ko.php index 44738a161a6..4c2d33e3010 100644 --- a/core/l10n/ko.php +++ b/core/l10n/ko.php @@ -40,7 +40,6 @@ $TRANSLATIONS = array( "last year" => "작년", "years ago" => "년 전", "Choose" => "선택", -"Cancel" => "취소", "Yes" => "예", "No" => "아니요", "Ok" => "승락", @@ -125,8 +124,6 @@ $TRANSLATIONS = array( "remember" => "기억하기", "Log in" => "로그인", "Alternative Logins" => "대체 ", -"prev" => "이전", -"next" => "다음", "Updating ownCloud to version %s, this may take a while." => "ownCloud를 버전 %s(으)로 업데이트합니다. 잠시 기다려 주십시오." ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/core/l10n/ku_IQ.php b/core/l10n/ku_IQ.php index 826fa428ef5..a2a0ff22ef6 100644 --- a/core/l10n/ku_IQ.php +++ b/core/l10n/ku_IQ.php @@ -23,8 +23,6 @@ $TRANSLATIONS = array( "Database name" => "ناوی داتابه‌یس", "Database host" => "هۆستی داتابه‌یس", "Finish setup" => "كۆتایی هات ده‌ستكاریه‌كان", -"Log out" => "چوونەدەرەوە", -"prev" => "پێشتر", -"next" => "دواتر" +"Log out" => "چوونەدەرەوە" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/lb.php b/core/l10n/lb.php index a4b32698c93..8a5a28957c4 100644 --- a/core/l10n/lb.php +++ b/core/l10n/lb.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "last year" => "Lescht Joer", "years ago" => "Joren hir", "Choose" => "Auswielen", -"Cancel" => "Ofbriechen", "Error loading file picker template" => "Feeler beim Luede vun der Virlag fir d'Fichiers-Selektioun", "Yes" => "Jo", "No" => "Nee", @@ -132,8 +131,6 @@ $TRANSLATIONS = array( "Log in" => "Umellen", "Alternative Logins" => "Alternativ Umeldungen", "Hey there,

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

    Cheers!" => "Hallo,

    ech wëll just Bescheed soen dass den/d' %s, »%s« mat dir gedeelt huet.
    Kucken!

    E schéine Bonjour!", -"prev" => "zeréck", -"next" => "weider", "Updating ownCloud to version %s, this may take a while." => "ownCloud gëtt op d'Versioun %s aktualiséiert, dat kéint e Moment daueren." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/lt_LT.php b/core/l10n/lt_LT.php index 8a3ca044eaf..00e47488531 100644 --- a/core/l10n/lt_LT.php +++ b/core/l10n/lt_LT.php @@ -40,7 +40,6 @@ $TRANSLATIONS = array( "last year" => "praeitais metais", "years ago" => "prieš metus", "Choose" => "Pasirinkite", -"Cancel" => "Atšaukti", "Error loading file picker template" => "Klaida pakraunant failų naršyklę", "Yes" => "Taip", "No" => "Ne", @@ -126,8 +125,6 @@ $TRANSLATIONS = array( "remember" => "prisiminti", "Log in" => "Prisijungti", "Alternative Logins" => "Alternatyvūs prisijungimai", -"prev" => "atgal", -"next" => "kitas", "Updating ownCloud to version %s, this may take a while." => "Atnaujinama ownCloud į %s versiją. tai gali šiek tiek užtrukti." ); $PLURAL_FORMS = "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);"; diff --git a/core/l10n/lv.php b/core/l10n/lv.php index ad9643e4835..6deb5dfda9f 100644 --- a/core/l10n/lv.php +++ b/core/l10n/lv.php @@ -1,5 +1,6 @@ "%s kopīgots »%s« ar jums", "Category type not provided." => "Kategorijas tips nav norādīts.", "No category to add?" => "Nav kategoriju, ko pievienot?", "This category already exists: %s" => "Šāda kategorija jau eksistē — %s", @@ -29,18 +30,18 @@ $TRANSLATIONS = array( "December" => "Decembris", "Settings" => "Iestatījumi", "seconds ago" => "sekundes atpakaļ", -"_%n minute ago_::_%n minutes ago_" => array("","",""), -"_%n hour ago_::_%n hours ago_" => array("","",""), +"_%n minute ago_::_%n minutes ago_" => array("Tagad, %n minūtes","Pirms %n minūtes","Pirms %n minūtēm"), +"_%n hour ago_::_%n hours ago_" => array("Šodien, %n stundas","Pirms %n stundas","Pirms %n stundām"), "today" => "šodien", "yesterday" => "vakar", -"_%n day ago_::_%n days ago_" => array("","",""), +"_%n day ago_::_%n days ago_" => array("Šodien, %n dienas","Pirms %n dienas","Pirms %n dienām"), "last month" => "pagājušajā mēnesī", -"_%n month ago_::_%n months ago_" => array("","",""), +"_%n month ago_::_%n months ago_" => array("Šomēnes, %n mēneši","Pirms %n mēneša","Pirms %n mēnešiem"), "months ago" => "mēnešus atpakaļ", "last year" => "gājušajā gadā", "years ago" => "gadus atpakaļ", "Choose" => "Izvēlieties", -"Cancel" => "Atcelt", +"Error loading file picker template" => "Kļūda ielādējot datņu ņēmēja veidni", "Yes" => "Jā", "No" => "Nē", "Ok" => "Labi", @@ -59,6 +60,7 @@ $TRANSLATIONS = array( "Share with link" => "Dalīties ar saiti", "Password protect" => "Aizsargāt ar paroli", "Password" => "Parole", +"Allow Public Upload" => "Ļaut publisko augšupielādi.", "Email link to person" => "Sūtīt saiti personai pa e-pastu", "Send" => "Sūtīt", "Set expiration date" => "Iestaties termiņa datumu", @@ -81,9 +83,14 @@ $TRANSLATIONS = array( "Email sent" => "Vēstule nosūtīta", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Atjaunināšana beidzās nesekmīgi. Lūdzu, ziņojiet par šo problēmu ownCloud kopienai.", "The update was successful. Redirecting you to ownCloud now." => "Atjaunināšana beidzās sekmīgi. Tagad pārsūta jūs uz ownCloud.", +"%s password reset" => "%s paroles maiņa", "Use the following link to reset your password: {link}" => "Izmantojiet šo saiti, lai mainītu paroli: {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 ." => "Saite uz paroles atjaunošanas vietu ir nosūtīta uz epastu.
    Ja vēstu nav atnākusi, pārbaudiet epasta mēstuļu mapi.
    Jā tās tur nav, jautājiet sistēmas administratoram.", +"Request failed!
    Did you make sure your email/username was right?" => "Pieprasījums neizdevās!
    Vai Jūs pārliecinājāties ka epasts/lietotājvārds ir pareizi?", "You will receive a link to reset your password via Email." => "Jūs savā epastā saņemsiet interneta saiti, caur kuru varēsiet atjaunot paroli.", "Username" => "Lietotājvārds", +"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?" => "Jūsu faili ir šifrēti. Ja nav iespējota atgūšanas kods, tad nebūs iespēja atjaunot jūsu failus pēc tam kad tiks mainīta parole. ja neesat pārliecināts kā rīkoties, jautājiet administratoram. Vai tiešam vēlaties turpināt?", +"Yes, I really want to reset my password now" => "Jā, Es tiešām vēlos mainīt savu paroli", "Request reset" => "Pieprasīt paroles maiņu", "Your password was reset" => "Jūsu parole tika nomainīta", "To login page" => "Uz ielogošanās lapu", @@ -96,12 +103,16 @@ $TRANSLATIONS = array( "Help" => "Palīdzība", "Access forbidden" => "Pieeja ir liegta", "Cloud not found" => "Mākonis netika atrasts", +"Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "Sveiks,\nTikai daru tev zināmu ka %s dalās %s ar tevi.\nApskati to: %s\n\nJaukiņi Labiņi!", "Edit categories" => "Rediģēt kategoriju", "Add" => "Pievienot", "Security Warning" => "Brīdinājums par drošību", +"Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Jūsu PHP ir ievainojamība pret NULL Byte uzbrukumiem (CVE-2006-7243)", +"Please update your PHP installation to use %s securely." => "Lūdzu atjauniniet PHP instalāciju lai varētu droši izmantot %s.", "No secure random number generator is available, please enable the PHP OpenSSL extension." => "Nav pieejams drošs nejaušu skaitļu ģenerators. Lūdzu, aktivējiet PHP OpenSSL paplašinājumu.", "Without a secure random number generator an attacker may be able to predict password reset tokens and take over your account." => "Bez droša nejaušu skaitļu ģeneratora uzbrucējs var paredzēt paroļu atjaunošanas marķierus un pārņem jūsu kontu.", "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." => "Visticamāk, jūsu datu direktorija un datnes ir pieejamas no interneta, jo .htaccess datne nedarbojas.", +"For information how to properly configure your server, please see the documentation." => "Vairāk informācijai kā konfigurēt serveri, lūdzu skatiet dokumentāciju.", "Create an admin account" => "Izveidot administratora kontu", "Advanced" => "Paplašināti", "Data folder" => "Datu mape", @@ -113,7 +124,9 @@ $TRANSLATIONS = array( "Database tablespace" => "Datubāzes tabulas telpa", "Database host" => "Datubāzes serveris", "Finish setup" => "Pabeigt iestatīšanu", +"%s is available. Get more information on how to update." => "%s ir pieejams. Uzziniet vairāk kā atjaunināt.", "Log out" => "Izrakstīties", +"More apps" => "Vairāk programmu", "Automatic logon rejected!" => "Automātiskā ierakstīšanās ir noraidīta!", "If you did not change your password recently, your account may be compromised!" => "Ja neesat pēdējā laikā mainījis paroli, iespējams, ka jūsu konts ir kompromitēts.", "Please change your password to secure your account again." => "Lūdzu, nomainiet savu paroli, lai atkal nodrošinātu savu kontu.", @@ -121,8 +134,7 @@ $TRANSLATIONS = array( "remember" => "atcerēties", "Log in" => "Ierakstīties", "Alternative Logins" => "Alternatīvās pieteikšanās", -"prev" => "iepriekšējā", -"next" => "nākamā", +"Hey there,

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

    Cheers!" => "Sveiks,

    Tikai daru tev zināmu ka %s dalās %s ar tevi.
    Apskati to!

    Jaukiņi Labiņi!", "Updating ownCloud to version %s, this may take a while." => "Atjaunina ownCloud uz versiju %s. Tas var aizņemt kādu laiciņu." ); $PLURAL_FORMS = "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);"; diff --git a/core/l10n/mk.php b/core/l10n/mk.php index b51f8c7b089..e2416dc052c 100644 --- a/core/l10n/mk.php +++ b/core/l10n/mk.php @@ -39,7 +39,6 @@ $TRANSLATIONS = array( "last year" => "минатата година", "years ago" => "пред години", "Choose" => "Избери", -"Cancel" => "Откажи", "Yes" => "Да", "No" => "Не", "Ok" => "Во ред", @@ -114,8 +113,6 @@ $TRANSLATIONS = array( "Please change your password to secure your account again." => "Ве молам сменете ја лозинката да ја обезбедите вашата сметка повторно.", "Lost your password?" => "Ја заборавивте лозинката?", "remember" => "запамти", -"Log in" => "Најава", -"prev" => "претходно", -"next" => "следно" +"Log in" => "Најава" ); $PLURAL_FORMS = "nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;"; diff --git a/core/l10n/ms_MY.php b/core/l10n/ms_MY.php index 64ad88dcb40..fc3698d58d1 100644 --- a/core/l10n/ms_MY.php +++ b/core/l10n/ms_MY.php @@ -26,7 +26,6 @@ $TRANSLATIONS = array( "_%n hour ago_::_%n hours ago_" => array(""), "_%n day ago_::_%n days ago_" => array(""), "_%n month ago_::_%n months ago_" => array(""), -"Cancel" => "Batal", "Yes" => "Ya", "No" => "Tidak", "Ok" => "Ok", @@ -64,8 +63,6 @@ $TRANSLATIONS = array( "Log out" => "Log keluar", "Lost your password?" => "Hilang kata laluan?", "remember" => "ingat", -"Log in" => "Log masuk", -"prev" => "sebelum", -"next" => "seterus" +"Log in" => "Log masuk" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/core/l10n/my_MM.php b/core/l10n/my_MM.php index e06af3efb98..1016ec5f512 100644 --- a/core/l10n/my_MM.php +++ b/core/l10n/my_MM.php @@ -25,7 +25,6 @@ $TRANSLATIONS = array( "last year" => "မနှစ်က", "years ago" => "နှစ် အရင်က", "Choose" => "ရွေးချယ်", -"Cancel" => "ပယ်ဖျက်မည်", "Yes" => "ဟုတ်", "No" => "မဟုတ်ဘူး", "Ok" => "အိုကေ", @@ -60,8 +59,6 @@ $TRANSLATIONS = array( "Finish setup" => "တပ်ဆင်ခြင်းပြီးပါပြီ။", "Lost your password?" => "သင်၏စကားဝှက်ပျောက်သွားပြီလား။", "remember" => "မှတ်မိစေသည်", -"Log in" => "ဝင်ရောက်ရန်", -"prev" => "ယခင်", -"next" => "နောက်သို့" +"Log in" => "ဝင်ရောက်ရန်" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/core/l10n/nb_NO.php b/core/l10n/nb_NO.php index c19e570edbd..393dc0d7d11 100644 --- a/core/l10n/nb_NO.php +++ b/core/l10n/nb_NO.php @@ -36,7 +36,6 @@ $TRANSLATIONS = array( "last year" => "forrige år", "years ago" => "år siden", "Choose" => "Velg", -"Cancel" => "Avbryt", "Yes" => "Ja", "No" => "Nei", "Ok" => "Ok", @@ -102,8 +101,6 @@ $TRANSLATIONS = array( "Lost your password?" => "Mistet passordet ditt?", "remember" => "husk", "Log in" => "Logg inn", -"prev" => "forrige", -"next" => "neste", "Updating ownCloud to version %s, this may take a while." => "Oppdaterer ownCloud til versjon %s, dette kan ta en stund." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/nl.php b/core/l10n/nl.php index 7530a736330..46375756de4 100644 --- a/core/l10n/nl.php +++ b/core/l10n/nl.php @@ -30,18 +30,17 @@ $TRANSLATIONS = array( "December" => "december", "Settings" => "Instellingen", "seconds ago" => "seconden geleden", -"_%n minute ago_::_%n minutes ago_" => array("",""), -"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n minute ago_::_%n minutes ago_" => array("","%n minuten geleden"), +"_%n hour ago_::_%n hours ago_" => array("","%n uur geleden"), "today" => "vandaag", "yesterday" => "gisteren", -"_%n day ago_::_%n days ago_" => array("",""), +"_%n day ago_::_%n days ago_" => array("","%n dagen geleden"), "last month" => "vorige maand", -"_%n month ago_::_%n months ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("","%n maanden geleden"), "months ago" => "maanden geleden", "last year" => "vorig jaar", "years ago" => "jaar geleden", "Choose" => "Kies", -"Cancel" => "Annuleer", "Error loading file picker template" => "Fout bij laden van bestandsselectie sjabloon", "Yes" => "Ja", "No" => "Nee", @@ -84,6 +83,7 @@ $TRANSLATIONS = array( "Email sent" => "E-mail verzonden", "The update was unsuccessful. Please report this issue to the ownCloud community." => "De update is niet geslaagd. Meld dit probleem aan bij de ownCloud community.", "The update was successful. Redirecting you to ownCloud now." => "De update is geslaagd. Je wordt teruggeleid naar je eigen ownCloud.", +"%s password reset" => "%s wachtwoord reset", "Use the following link to reset your password: {link}" => "Gebruik de volgende link om je wachtwoord te resetten: {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 ." => "De link voor het resetten van je wachtwoord is verzonden naar je e-mailadres.
    Als je dat bericht niet snel ontvangen hebt, controleer dan uw spambakje.
    Als het daar ook niet is, vraag dan je beheerder om te helpen.", "Request failed!
    Did you make sure your email/username was right?" => "Aanvraag mislukt!
    Weet je zeker dat je gebruikersnaam en/of wachtwoord goed waren?", @@ -135,8 +135,6 @@ $TRANSLATIONS = array( "Log in" => "Meld je aan", "Alternative Logins" => "Alternatieve inlogs", "Hey there,

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

    Cheers!" => "Hallo daar,

    %s deelde »%s« met jou.
    Bekijk!

    Veel plezier!", -"prev" => "vorige", -"next" => "volgende", "Updating ownCloud to version %s, this may take a while." => "Updaten ownCloud naar versie %s, dit kan even duren..." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/nn_NO.php b/core/l10n/nn_NO.php index 0cc0944b879..f73cb96076e 100644 --- a/core/l10n/nn_NO.php +++ b/core/l10n/nn_NO.php @@ -40,7 +40,6 @@ $TRANSLATIONS = array( "last year" => "i fjor", "years ago" => "år sidan", "Choose" => "Vel", -"Cancel" => "Avbryt", "Yes" => "Ja", "No" => "Nei", "Ok" => "Greitt", @@ -125,8 +124,6 @@ $TRANSLATIONS = array( "remember" => "hugs", "Log in" => "Logg inn", "Alternative Logins" => "Alternative innloggingar", -"prev" => "førre", -"next" => "neste", "Updating ownCloud to version %s, this may take a while." => "Oppdaterer ownCloud til utgåve %s, dette kan ta ei stund." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/oc.php b/core/l10n/oc.php index f47776fb991..68bf2f89a2a 100644 --- a/core/l10n/oc.php +++ b/core/l10n/oc.php @@ -34,7 +34,6 @@ $TRANSLATIONS = array( "last year" => "an passat", "years ago" => "ans a", "Choose" => "Causís", -"Cancel" => "Annula", "Yes" => "Òc", "No" => "Non", "Ok" => "D'accòrdi", @@ -94,8 +93,6 @@ $TRANSLATIONS = array( "Log out" => "Sortida", "Lost your password?" => "L'as perdut lo senhal ?", "remember" => "bremba-te", -"Log in" => "Dintrada", -"prev" => "dariièr", -"next" => "venent" +"Log in" => "Dintrada" ); $PLURAL_FORMS = "nplurals=2; plural=(n > 1);"; diff --git a/core/l10n/pl.php b/core/l10n/pl.php index 1f291be8aa0..9be10f535b7 100644 --- a/core/l10n/pl.php +++ b/core/l10n/pl.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "last year" => "w zeszłym roku", "years ago" => "lat temu", "Choose" => "Wybierz", -"Cancel" => "Anuluj", "Error loading file picker template" => "Błąd podczas ładowania pliku wybranego szablonu", "Yes" => "Tak", "No" => "Nie", @@ -135,8 +134,6 @@ $TRANSLATIONS = array( "Log in" => "Zaloguj", "Alternative Logins" => "Alternatywne loginy", "Hey there,

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

    Cheers!" => "Cześć,

    Informuję cię że %s udostępnia ci »%s«.\n
    Zobacz

    Pozdrawiam!", -"prev" => "wstecz", -"next" => "naprzód", "Updating ownCloud to version %s, this may take a while." => "Aktualizowanie ownCloud do wersji %s. Może to trochę potrwać." ); $PLURAL_FORMS = "nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"; diff --git a/core/l10n/pt_BR.php b/core/l10n/pt_BR.php index 7542dd730af..8446e5270a7 100644 --- a/core/l10n/pt_BR.php +++ b/core/l10n/pt_BR.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "last year" => "último ano", "years ago" => "anos atrás", "Choose" => "Escolha", -"Cancel" => "Cancelar", "Error loading file picker template" => "Template selecionador Erro ao carregar arquivo", "Yes" => "Sim", "No" => "Não", @@ -136,8 +135,6 @@ $TRANSLATIONS = array( "Log in" => "Fazer login", "Alternative Logins" => "Logins alternativos", "Hey there,

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

    Cheers!" => "Olá,

    apenas para você saber que %s compartilhou %s com você.
    Veja:

    Abraços!", -"prev" => "anterior", -"next" => "próximo", "Updating ownCloud to version %s, this may take a while." => "Atualizando ownCloud para a versão %s, isto pode levar algum tempo." ); $PLURAL_FORMS = "nplurals=2; plural=(n > 1);"; diff --git a/core/l10n/pt_PT.php b/core/l10n/pt_PT.php index 8459176f266..25ddaa322d5 100644 --- a/core/l10n/pt_PT.php +++ b/core/l10n/pt_PT.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "last year" => "ano passado", "years ago" => "anos atrás", "Choose" => "Escolha", -"Cancel" => "Cancelar", "Error loading file picker template" => "Erro ao carregar arquivo do separador modelo", "Yes" => "Sim", "No" => "Não", @@ -134,8 +133,6 @@ $TRANSLATIONS = array( "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." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/ro.php b/core/l10n/ro.php index 8c082df6af4..7e33003bcce 100644 --- a/core/l10n/ro.php +++ b/core/l10n/ro.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "last year" => "ultimul an", "years ago" => "ani în urmă", "Choose" => "Alege", -"Cancel" => "Anulare", "Error loading file picker template" => "Eroare la încărcarea șablonului selectorului de fișiere", "Yes" => "Da", "No" => "Nu", @@ -134,8 +133,6 @@ $TRANSLATIONS = array( "Log in" => "Autentificare", "Alternative Logins" => "Conectări alternative", "Hey there,

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

    Cheers!" => "Salutare,

    Vă aduc la cunoștință că %s a partajat %s cu tine.
    Accesează-l!

    Numai bine!", -"prev" => "precedentul", -"next" => "următorul", "Updating ownCloud to version %s, this may take a while." => "Actualizăm ownCloud la versiunea %s, aceasta poate dura câteva momente." ); $PLURAL_FORMS = "nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));"; diff --git a/core/l10n/ru.php b/core/l10n/ru.php index fe00c89b1c2..8c29c8d26f6 100644 --- a/core/l10n/ru.php +++ b/core/l10n/ru.php @@ -30,18 +30,17 @@ $TRANSLATIONS = array( "December" => "Декабрь", "Settings" => "Конфигурация", "seconds ago" => "несколько секунд назад", -"_%n minute ago_::_%n minutes ago_" => array("","",""), -"_%n hour ago_::_%n hours ago_" => array("","",""), +"_%n minute ago_::_%n minutes ago_" => array("%n минуту назад","%n минуты назад","%n минут назад"), +"_%n hour ago_::_%n hours ago_" => array("%n час назад","%n часа назад","%n часов назад"), "today" => "сегодня", "yesterday" => "вчера", -"_%n day ago_::_%n days ago_" => array("","",""), +"_%n day ago_::_%n days ago_" => array("%n день назад","%n дня назад","%n дней назад"), "last month" => "в прошлом месяце", -"_%n month ago_::_%n months ago_" => array("","",""), +"_%n month ago_::_%n months ago_" => array("%n месяц назад","%n месяца назад","%n месяцев назад"), "months ago" => "несколько месяцев назад", "last year" => "в прошлом году", "years ago" => "несколько лет назад", "Choose" => "Выбрать", -"Cancel" => "Отменить", "Error loading file picker template" => "Ошибка при загрузке файла выбора шаблона", "Yes" => "Да", "No" => "Нет", @@ -84,6 +83,7 @@ $TRANSLATIONS = array( "Email sent" => "Письмо отправлено", "The update was unsuccessful. Please report this issue to the ownCloud community." => "При обновлении произошла ошибка. Пожалуйста сообщите об этом в ownCloud сообщество.", "The update was successful. Redirecting you to ownCloud now." => "Обновление прошло успешно. Перенаправляемся в Ваш ownCloud...", +"%s password reset" => "%s сброс пароля", "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 ." => "Ссылка для сброса пароля отправлена вам ​​по электронной почте.
    Если вы не получите письмо в пределах одной-двух минут, проверьте папку Спам.
    Если письма там нет, обратитесь к своему администратору.", "Request failed!
    Did you make sure your email/username was right?" => "Запрос не удался. Вы уверены, что email или имя пользователя указаны верно?", @@ -126,6 +126,7 @@ $TRANSLATIONS = array( "Finish setup" => "Завершить установку", "%s is available. Get more information on how to update." => "%s доступно. Получить дополнительную информацию о порядке обновления.", "Log out" => "Выйти", +"More apps" => "Ещё приложения", "Automatic logon rejected!" => "Автоматический вход в систему отключен!", "If you did not change your password recently, your account may be compromised!" => "Если Вы недавно не меняли свой пароль, то Ваша учетная запись может быть скомпрометирована!", "Please change your password to secure your account again." => "Пожалуйста, смените пароль, чтобы обезопасить свою учетную запись.", @@ -134,8 +135,6 @@ $TRANSLATIONS = array( "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. Это может занять некоторое время." ); $PLURAL_FORMS = "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"; diff --git a/core/l10n/si_LK.php b/core/l10n/si_LK.php index ff016e6d6c0..475cdf5613a 100644 --- a/core/l10n/si_LK.php +++ b/core/l10n/si_LK.php @@ -33,7 +33,6 @@ $TRANSLATIONS = array( "last year" => "පෙර අවුරුද්දේ", "years ago" => "අවුරුදු කීපයකට පෙර", "Choose" => "තෝරන්න", -"Cancel" => "එපා", "Yes" => "ඔව්", "No" => "එපා", "Ok" => "හරි", @@ -85,8 +84,6 @@ $TRANSLATIONS = array( "Log out" => "නික්මීම", "Lost your password?" => "මුරපදය අමතකද?", "remember" => "මතක තබාගන්න", -"Log in" => "ප්‍රවේශවන්න", -"prev" => "පෙර", -"next" => "ඊළඟ" +"Log in" => "ප්‍රවේශවන්න" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/sk_SK.php b/core/l10n/sk_SK.php index 71f50bbdc31..49c2cbb183b 100644 --- a/core/l10n/sk_SK.php +++ b/core/l10n/sk_SK.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "last year" => "minulý rok", "years ago" => "pred rokmi", "Choose" => "Výber", -"Cancel" => "Zrušiť", "Error loading file picker template" => "Chyba pri načítaní šablóny výberu súborov", "Yes" => "Áno", "No" => "Nie", @@ -134,8 +133,6 @@ $TRANSLATIONS = array( "Log in" => "Prihlásiť sa", "Alternative Logins" => "Alternatívne prihlasovanie", "Hey there,

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

    Cheers!" => "Ahoj,

    chcem Vám oznámiť, že %s s Vami zdieľa %s.\nPozrieť si to môžete tu:
    zde.

    Vďaka", -"prev" => "späť", -"next" => "ďalej", "Updating ownCloud to version %s, this may take a while." => "Aktualizujem ownCloud na verziu %s, môže to chvíľu trvať." ); $PLURAL_FORMS = "nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;"; diff --git a/core/l10n/sl.php b/core/l10n/sl.php index 397ede93fd4..0b72f1dc4e4 100644 --- a/core/l10n/sl.php +++ b/core/l10n/sl.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "last year" => "lansko leto", "years ago" => "let nazaj", "Choose" => "Izbor", -"Cancel" => "Prekliči", "Error loading file picker template" => "Napaka pri nalaganju predloge za izbor dokumenta", "Yes" => "Da", "No" => "Ne", @@ -134,8 +133,6 @@ $TRANSLATIONS = array( "Log in" => "Prijava", "Alternative Logins" => "Druge prijavne možnosti", "Hey there,

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

    Cheers!" => "Pozdravljen/a,

    sporočam, da je %s delil »%s« s teboj.
    Poglej vsebine!

    Lep pozdrav!", -"prev" => "nazaj", -"next" => "naprej", "Updating ownCloud to version %s, this may take a while." => "Posodabljanje sistema ownCloud na različico %s je lahko dolgotrajno." ); $PLURAL_FORMS = "nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);"; diff --git a/core/l10n/sq.php b/core/l10n/sq.php index 7817af41b54..3057ac2c689 100644 --- a/core/l10n/sq.php +++ b/core/l10n/sq.php @@ -40,7 +40,6 @@ $TRANSLATIONS = array( "last year" => "vitin e shkuar", "years ago" => "vite më parë", "Choose" => "Zgjidh", -"Cancel" => "Anulo", "Error loading file picker template" => "Veprim i gabuar gjatë ngarkimit të modelit të zgjedhësit të skedarëve", "Yes" => "Po", "No" => "Jo", @@ -128,8 +127,6 @@ $TRANSLATIONS = array( "remember" => "kujto", "Log in" => "Hyrje", "Alternative Logins" => "Hyrje alternative", -"prev" => "mbrapa", -"next" => "para", "Updating ownCloud to version %s, this may take a while." => "Po azhurnoj ownCloud-in me versionin %s. Mund të zgjasi pak." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/sr.php b/core/l10n/sr.php index d0485ff662c..3de06c70883 100644 --- a/core/l10n/sr.php +++ b/core/l10n/sr.php @@ -39,7 +39,6 @@ $TRANSLATIONS = array( "last year" => "прошле године", "years ago" => "година раније", "Choose" => "Одабери", -"Cancel" => "Откажи", "Yes" => "Да", "No" => "Не", "Ok" => "У реду", @@ -114,8 +113,6 @@ $TRANSLATIONS = array( "Lost your password?" => "Изгубили сте лозинку?", "remember" => "упамти", "Log in" => "Пријава", -"prev" => "претходно", -"next" => "следеће", "Updating ownCloud to version %s, this may take a while." => "Надоградња ownCloud-а на верзију %s, сачекајте тренутак." ); $PLURAL_FORMS = "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"; diff --git a/core/l10n/sr@latin.php b/core/l10n/sr@latin.php index 98d227f18a3..62ed061ca06 100644 --- a/core/l10n/sr@latin.php +++ b/core/l10n/sr@latin.php @@ -24,7 +24,6 @@ $TRANSLATIONS = array( "_%n hour ago_::_%n hours ago_" => array("","",""), "_%n day ago_::_%n days ago_" => array("","",""), "_%n month ago_::_%n months ago_" => array("","",""), -"Cancel" => "Otkaži", "Password" => "Lozinka", "You will receive a link to reset your password via Email." => "Dobićete vezu za resetovanje lozinke putem e-pošte.", "Username" => "Korisničko ime", @@ -50,8 +49,6 @@ $TRANSLATIONS = array( "Finish setup" => "Završi podešavanje", "Log out" => "Odjava", "Lost your password?" => "Izgubili ste lozinku?", -"remember" => "upamti", -"prev" => "prethodno", -"next" => "sledeće" +"remember" => "upamti" ); $PLURAL_FORMS = "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"; diff --git a/core/l10n/sv.php b/core/l10n/sv.php index 88639845a5a..cda76a520b4 100644 --- a/core/l10n/sv.php +++ b/core/l10n/sv.php @@ -30,18 +30,17 @@ $TRANSLATIONS = array( "December" => "December", "Settings" => "Inställningar", "seconds ago" => "sekunder sedan", -"_%n minute ago_::_%n minutes ago_" => array("",""), -"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n minute ago_::_%n minutes ago_" => array("%n minut sedan","%n minuter sedan"), +"_%n hour ago_::_%n hours ago_" => array("%n timme sedan","%n timmar sedan"), "today" => "i dag", "yesterday" => "i går", -"_%n day ago_::_%n days ago_" => array("",""), +"_%n day ago_::_%n days ago_" => array("%n dag sedan","%n dagar sedan"), "last month" => "förra månaden", -"_%n month ago_::_%n months ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("%n månad sedan","%n månader sedan"), "months ago" => "månader sedan", "last year" => "förra året", "years ago" => "år sedan", "Choose" => "Välj", -"Cancel" => "Avbryt", "Error loading file picker template" => "Fel vid inläsning av filväljarens mall", "Yes" => "Ja", "No" => "Nej", @@ -84,6 +83,7 @@ $TRANSLATIONS = array( "Email sent" => "E-post skickat", "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.", +"%s password reset" => "%s återställ lösenord", "Use the following link to reset your password: {link}" => "Använd följande länk för att återställa lösenordet: {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 ." => "Länken för att återställa ditt lösenorden har skickats till din e-postadress
    Om du inte har erhållit meddelandet inom kort, vänligen kontrollera din skräppost-mapp
    Om den inte finns där, vänligen kontakta din administratör.", "Request failed!
    Did you make sure your email/username was right?" => "Begäran misslyckades!
    Är du helt säker på att din e-postadress/användarnamn är korrekt?", @@ -126,6 +126,7 @@ $TRANSLATIONS = array( "Finish setup" => "Avsluta installation", "%s is available. Get more information on how to update." => "%s är tillgänglig. Få mer information om hur du går tillväga för att uppdatera.", "Log out" => "Logga ut", +"More apps" => "Fler appar", "Automatic logon rejected!" => "Automatisk inloggning inte tillåten!", "If you did not change your password recently, your account may be compromised!" => "Om du inte har ändrat ditt lösenord nyligen så kan ditt konto vara manipulerat!", "Please change your password to secure your account again." => "Ändra genast lösenord för att säkra ditt konto.", @@ -134,8 +135,6 @@ $TRANSLATIONS = array( "Log in" => "Logga in", "Alternative Logins" => "Alternativa inloggningar", "Hey there,

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

    Cheers!" => "Hej där,

    ville bara informera dig om att %s delade »%s« med dig.
    Titta på den!

    Hörs!", -"prev" => "föregående", -"next" => "nästa", "Updating ownCloud to version %s, this may take a while." => "Uppdaterar ownCloud till version %s, detta kan ta en stund." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/ta_LK.php b/core/l10n/ta_LK.php index b2e847f5fb2..3fc461d4284 100644 --- a/core/l10n/ta_LK.php +++ b/core/l10n/ta_LK.php @@ -39,7 +39,6 @@ $TRANSLATIONS = array( "last year" => "கடந்த வருடம்", "years ago" => "வருடங்களுக்கு முன்", "Choose" => "தெரிவுசெய்க ", -"Cancel" => "இரத்து செய்க", "Yes" => "ஆம்", "No" => "இல்லை", "Ok" => "சரி", @@ -110,8 +109,6 @@ $TRANSLATIONS = array( "Please change your password to secure your account again." => "உங்களுடைய கணக்கை மீண்டும் பாதுகாக்க தயவுசெய்து உங்களுடைய கடவுச்சொல்லை மாற்றவும்.", "Lost your password?" => "உங்கள் கடவுச்சொல்லை தொலைத்துவிட்டீர்களா?", "remember" => "ஞாபகப்படுத்துக", -"Log in" => "புகுபதிகை", -"prev" => "முந்தைய", -"next" => "அடுத்து" +"Log in" => "புகுபதிகை" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/te.php b/core/l10n/te.php index f6d165f369f..2e2bb8f8fe8 100644 --- a/core/l10n/te.php +++ b/core/l10n/te.php @@ -32,7 +32,6 @@ $TRANSLATIONS = array( "months ago" => "నెలల క్రితం", "last year" => "పోయిన సంవత్సరం", "years ago" => "సంవత్సరాల క్రితం", -"Cancel" => "రద్దుచేయి", "Yes" => "అవును", "No" => "కాదు", "Ok" => "సరే", diff --git a/core/l10n/th_TH.php b/core/l10n/th_TH.php index b015b940f2b..bb5181fd9e6 100644 --- a/core/l10n/th_TH.php +++ b/core/l10n/th_TH.php @@ -39,7 +39,6 @@ $TRANSLATIONS = array( "last year" => "ปีที่แล้ว", "years ago" => "ปี ที่ผ่านมา", "Choose" => "เลือก", -"Cancel" => "ยกเลิก", "Yes" => "ตกลง", "No" => "ไม่ตกลง", "Ok" => "ตกลง", @@ -118,8 +117,6 @@ $TRANSLATIONS = array( "Lost your password?" => "ลืมรหัสผ่าน?", "remember" => "จำรหัสผ่าน", "Log in" => "เข้าสู่ระบบ", -"prev" => "ก่อนหน้า", -"next" => "ถัดไป", "Updating ownCloud to version %s, this may take a while." => "กำลังอัพเดท ownCloud ไปเป็นรุ่น %s, กรุณารอสักครู่" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/core/l10n/tr.php b/core/l10n/tr.php index 2a552e1798e..dde8a1bd97a 100644 --- a/core/l10n/tr.php +++ b/core/l10n/tr.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "last year" => "geçen yıl", "years ago" => "yıl önce", "Choose" => "seç", -"Cancel" => "İptal", "Error loading file picker template" => "Seçici şablon dosya yüklemesinde hata", "Yes" => "Evet", "No" => "Hayır", @@ -136,8 +135,6 @@ $TRANSLATIONS = array( "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." ); $PLURAL_FORMS = "nplurals=2; plural=(n > 1);"; diff --git a/core/l10n/ug.php b/core/l10n/ug.php index cf1c28a0d2f..5cbb90d15f9 100644 --- a/core/l10n/ug.php +++ b/core/l10n/ug.php @@ -26,7 +26,6 @@ $TRANSLATIONS = array( "yesterday" => "تۈنۈگۈن", "_%n day ago_::_%n days ago_" => array(""), "_%n month ago_::_%n months ago_" => array(""), -"Cancel" => "ۋاز كەچ", "Yes" => "ھەئە", "No" => "ياق", "Ok" => "جەزملە", @@ -44,6 +43,7 @@ $TRANSLATIONS = array( "Users" => "ئىشلەتكۈچىلەر", "Apps" => "ئەپلەر", "Help" => "ياردەم", +"Edit categories" => "تۈر تەھرىر", "Add" => "قوش", "Advanced" => "ئالىي", "Finish setup" => "تەڭشەك تامام", diff --git a/core/l10n/uk.php b/core/l10n/uk.php index baf756ab7a9..6fcb23d0a32 100644 --- a/core/l10n/uk.php +++ b/core/l10n/uk.php @@ -40,7 +40,6 @@ $TRANSLATIONS = array( "last year" => "минулого року", "years ago" => "роки тому", "Choose" => "Обрати", -"Cancel" => "Відмінити", "Yes" => "Так", "No" => "Ні", "Ok" => "Ok", @@ -122,8 +121,6 @@ $TRANSLATIONS = array( "remember" => "запам'ятати", "Log in" => "Вхід", "Alternative Logins" => "Альтернативні Логіни", -"prev" => "попередній", -"next" => "наступний", "Updating ownCloud to version %s, this may take a while." => "Оновлення ownCloud до версії %s, це може зайняти деякий час." ); $PLURAL_FORMS = "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"; diff --git a/core/l10n/ur_PK.php b/core/l10n/ur_PK.php index de6a58cea26..96871a54d0b 100644 --- a/core/l10n/ur_PK.php +++ b/core/l10n/ur_PK.php @@ -20,7 +20,6 @@ $TRANSLATIONS = array( "_%n day ago_::_%n days ago_" => array("",""), "_%n month ago_::_%n months ago_" => array("",""), "Choose" => "منتخب کریں", -"Cancel" => "منسوخ کریں", "Yes" => "ہاں", "No" => "نہیں", "Ok" => "اوکے", @@ -75,8 +74,6 @@ $TRANSLATIONS = array( "Log out" => "لاگ آؤٹ", "Lost your password?" => "کیا آپ پاسورڈ بھول گئے ہیں؟", "remember" => "یاد رکھیں", -"Log in" => "لاگ ان", -"prev" => "پچھلا", -"next" => "اگلا" +"Log in" => "لاگ ان" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/vi.php b/core/l10n/vi.php index 265d83a4266..305839b4760 100644 --- a/core/l10n/vi.php +++ b/core/l10n/vi.php @@ -40,7 +40,6 @@ $TRANSLATIONS = array( "last year" => "năm trước", "years ago" => "năm trước", "Choose" => "Chọn", -"Cancel" => "Hủy", "Yes" => "Có", "No" => "Không", "Ok" => "Đồng ý", @@ -125,8 +124,6 @@ $TRANSLATIONS = array( "remember" => "ghi nhớ", "Log in" => "Đăng nhập", "Alternative Logins" => "Đăng nhập khác", -"prev" => "Lùi lại", -"next" => "Kế tiếp", "Updating ownCloud to version %s, this may take a while." => "Cập nhật ownCloud lên phiên bản %s, có thể sẽ mất thời gian" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/core/l10n/zh_CN.GB2312.php b/core/l10n/zh_CN.GB2312.php index 7b3a2564878..92f1aef8850 100644 --- a/core/l10n/zh_CN.GB2312.php +++ b/core/l10n/zh_CN.GB2312.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "last year" => "去年", "years ago" => "年前", "Choose" => "选择", -"Cancel" => "取消", "Error loading file picker template" => "加载文件选取模板出错", "Yes" => "是", "No" => "否", @@ -136,8 +135,6 @@ $TRANSLATIONS = array( "Log in" => "登陆", "Alternative Logins" => "备选登录", "Hey there,

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

    Cheers!" => "你好!

    温馨提示: %s 与您共享了 %s 。

    \n查看: %s

    祝顺利!", -"prev" => "后退", -"next" => "前进", "Updating ownCloud to version %s, this may take a while." => "ownCloud正在升级至 %s 版,这可能需要一点时间。" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/core/l10n/zh_CN.php b/core/l10n/zh_CN.php index c216584494c..a5a63e24858 100644 --- a/core/l10n/zh_CN.php +++ b/core/l10n/zh_CN.php @@ -30,7 +30,7 @@ $TRANSLATIONS = array( "December" => "十二月", "Settings" => "设置", "seconds ago" => "秒前", -"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n minute ago_::_%n minutes ago_" => array("%n 分钟前"), "_%n hour ago_::_%n hours ago_" => array(""), "today" => "今天", "yesterday" => "昨天", @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "last year" => "去年", "years ago" => "年前", "Choose" => "选择(&C)...", -"Cancel" => "取消", "Error loading file picker template" => "加载文件选择器模板出错", "Yes" => "是", "No" => "否", @@ -132,8 +131,6 @@ $TRANSLATIONS = array( "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,这可能需要一些时间。" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/core/l10n/zh_HK.php b/core/l10n/zh_HK.php index 0a3134f65da..8bfa1f58616 100644 --- a/core/l10n/zh_HK.php +++ b/core/l10n/zh_HK.php @@ -28,7 +28,6 @@ $TRANSLATIONS = array( "last month" => "前一月", "_%n month ago_::_%n months ago_" => array(""), "months ago" => "個月之前", -"Cancel" => "取消", "Yes" => "Yes", "No" => "No", "Ok" => "OK", @@ -87,8 +86,6 @@ $TRANSLATIONS = array( "Lost your password?" => "忘記密碼", "remember" => "記住", "Log in" => "登入", -"prev" => "前一步", -"next" => "下一步", "Updating ownCloud to version %s, this may take a while." => "ownCloud (ver. %s)更新中, 請耐心等侯" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/core/l10n/zh_TW.php b/core/l10n/zh_TW.php index d620866bbb8..d2cbb7a8fd3 100644 --- a/core/l10n/zh_TW.php +++ b/core/l10n/zh_TW.php @@ -41,7 +41,6 @@ $TRANSLATIONS = array( "last year" => "去年", "years ago" => "幾年前", "Choose" => "選擇", -"Cancel" => "取消", "Error loading file picker template" => "載入檔案選擇器樣板發生錯誤", "Yes" => "是", "No" => "否", @@ -134,8 +133,6 @@ $TRANSLATIONS = array( "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 ,這可能需要一點時間。" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/l10n/af_ZA/core.po b/l10n/af_ZA/core.po index 2aa42f705fb..5673ceabd33 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -141,55 +141,55 @@ msgstr "" msgid "Settings" msgstr "Instellings" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "" @@ -197,23 +197,19 @@ msgstr "" msgid "Choose" msgstr "" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "" @@ -620,14 +616,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "vorige" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "volgende" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/af_ZA/files.po b/l10n/af_ZA/files.po index 23d5bd79143..6ebf523c19f 100644 --- a/l10n/af_ZA/files.po +++ b/l10n/af_ZA/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -94,12 +94,12 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "" @@ -107,8 +107,8 @@ msgstr "" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "" @@ -184,35 +184,41 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/af_ZA/lib.po b/l10n/af_ZA/lib.po index 491052f17f0..ab198f78cac 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/af_ZA/settings.po b/l10n/af_ZA/settings.po index 64a38fbef8a..2a6cffc209a 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-08-04 01:55-0400\n" -"PO-Revision-Date: 2013-08-04 05:01+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "" @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/af_ZA/user_ldap.po b/l10n/af_ZA/user_ldap.po index 1d1d4695a71..b4f237d6109 100644 --- a/l10n/af_ZA/user_ldap.po +++ b/l10n/af_ZA/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-08-04 01:55-0400\n" -"PO-Revision-Date: 2013-08-04 05:02+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Hulp" diff --git a/l10n/ar/core.po b/l10n/ar/core.po index 8a6009ccb39..a89b43a8722 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -141,11 +141,11 @@ msgstr "كانون الاول" msgid "Settings" msgstr "إعدادات" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "منذ ثواني" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" @@ -155,7 +155,7 @@ msgstr[3] "" msgstr[4] "" msgstr[5] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" @@ -165,15 +165,15 @@ msgstr[3] "" msgstr[4] "" msgstr[5] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "اليوم" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "يوم أمس" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" @@ -183,11 +183,11 @@ msgstr[3] "" msgstr[4] "" msgstr[5] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "الشهر الماضي" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" @@ -197,15 +197,15 @@ msgstr[3] "" msgstr[4] "" msgstr[5] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "شهر مضى" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "السنةالماضية" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "سنة مضت" @@ -213,23 +213,19 @@ msgstr "سنة مضت" msgid "Choose" msgstr "اختيار" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "الغاء" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "نعم" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "لا" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "موافق" @@ -636,14 +632,6 @@ msgid "" "href=\"%s\">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." diff --git a/l10n/ar/files.po b/l10n/ar/files.po index 231fe63b4d0..e9f43521101 100644 --- a/l10n/ar/files.po +++ b/l10n/ar/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -94,12 +94,12 @@ msgstr "" msgid "Upload cancelled." msgstr "تم إلغاء عملية رفع الملفات ." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "عملية رفع الملفات قيد التنفيذ. اغلاق الصفحة سوف يلغي عملية رفع الملفات." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "عنوان ال URL لا يجوز أن يكون فارغا." @@ -107,8 +107,8 @@ msgstr "عنوان ال URL لا يجوز أن يكون فارغا." 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "خطأ" @@ -188,29 +188,35 @@ msgstr "مساحتك التخزينية ممتلئة, لا يمكم تحديث msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "مساحتك التخزينية امتلأت تقريبا " -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "جاري تجهيز عملية التحميل. قد تستغرق بعض الوقت اذا كان حجم الملفات كبير." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "إسم مجلد غير صحيح. استخدام مصطلح \"Shared\" محجوز للنظام" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "اسم" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "حجم" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "معدل" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" @@ -220,7 +226,7 @@ msgstr[3] "" msgstr[4] "" msgstr[5] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/ar/files_sharing.po b/l10n/ar/files_sharing.po index d8d3d8214a1..af3920e0949 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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 040d66a42c4..2e0845e8125 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "تعذّر تحديده" - #: json.php:28 msgid "Application is not enabled" msgstr "التطبيق غير مفعّل" diff --git a/l10n/ar/settings.po b/l10n/ar/settings.po index 668bdd1a446..e3e192efb11 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:10+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" @@ -120,7 +120,11 @@ msgstr "حصل خطأ أثناء تحديث التطبيق" msgid "Updated" msgstr "تم التحديث بنجاح" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "جاري الحفظ..." @@ -165,7 +169,7 @@ msgstr "حصل خطأ اثناء انشاء مستخدم" msgid "A valid password must be provided" msgstr "يجب ادخال كلمة مرور صحيحة" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "__language_name__" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "مجدول" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "قم بتنفيذ مهمة واحدة مع كل صفحة تم تحميلها" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "مشاركة" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "السماح بالمشاركة عن طريق الAPI " -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "السماح للتطبيقات بالمشاركة عن طريق الAPI" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "السماح بالعناوين" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "السماح للمستعملين بمشاركة البنود للعموم عن طريق الروابط " -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "السماح بإعادة المشاركة " -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "السماح للمستخدمين باعادة مشاركة الملفات التي تم مشاركتها معهم" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "السماح للمستعملين بإعادة المشاركة مع أي أحد " -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "السماح للمستعمينٍ لإعادة المشاركة فقط مع المستعملين في مجموعاتهم" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "حماية" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "فرض HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "سجل" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "مستوى السجل" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "المزيد" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "أقل" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "إصدار" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "التشفير" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "اسم الدخول" diff --git a/l10n/ar/user_ldap.po b/l10n/ar/user_ldap.po index 3489c7b8184..d760e3d0e43 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "المساعدة" diff --git a/l10n/be/core.po b/l10n/be/core.po index fb9c15d2ccc..a0b09af764b 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -141,11 +141,11 @@ msgstr "" msgid "Settings" msgstr "" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" @@ -153,7 +153,7 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" @@ -161,15 +161,15 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" @@ -177,11 +177,11 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" @@ -189,15 +189,15 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "" @@ -205,23 +205,19 @@ msgstr "" msgid "Choose" msgstr "" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "" @@ -628,14 +624,6 @@ msgid "" "href=\"%s\">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." diff --git a/l10n/be/files.po b/l10n/be/files.po index c25701d9cc4..dab1498b5ce 100644 --- a/l10n/be/files.po +++ b/l10n/be/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -94,12 +94,12 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "" @@ -107,8 +107,8 @@ msgstr "" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "" @@ -186,29 +186,35 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" @@ -216,7 +222,7 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/be/lib.po b/l10n/be/lib.po index c95cd9291f6..62d99ec8df1 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/be/settings.po b/l10n/be/settings.po index 6a5d16012be..1f1fe472263 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-07-27 01:56-0400\n" -"PO-Revision-Date: 2013-07-25 05:57+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "" @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/be/user_ldap.po b/l10n/be/user_ldap.po index 581d1b1dcc0..f2cad633ff3 100644 --- a/l10n/be/user_ldap.po +++ b/l10n/be/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-27 01:56-0400\n" -"PO-Revision-Date: 2013-07-27 05:56+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "" diff --git a/l10n/bg_BG/core.po b/l10n/bg_BG/core.po index cf34714ed71..0a88faaffc1 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -141,55 +141,55 @@ msgstr "Декември" msgid "Settings" msgstr "Настройки" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "преди секунди" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "днес" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "вчера" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "последният месец" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "последната година" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "последните години" @@ -197,23 +197,19 @@ msgstr "последните години" msgid "Choose" msgstr "" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Отказ" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Да" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Не" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Добре" @@ -620,14 +616,6 @@ msgid "" "href=\"%s\">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." diff --git a/l10n/bg_BG/files.po b/l10n/bg_BG/files.po index 9c5bdeb8b10..9224fb6a328 100644 --- a/l10n/bg_BG/files.po +++ b/l10n/bg_BG/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -94,12 +94,12 @@ msgstr "" msgid "Upload cancelled." msgstr "Качването е спряно." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "" @@ -107,8 +107,8 @@ msgstr "" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Грешка" @@ -184,35 +184,41 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Име" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Размер" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Променено" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/bg_BG/files_sharing.po b/l10n/bg_BG/files_sharing.po index 9c95c045cdb..ee8f206c9c2 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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/bg_BG/lib.po b/l10n/bg_BG/lib.po index 1aa83779f3d..2d4ada2a9b9 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -74,10 +74,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "не може да се определи" - #: json.php:28 msgid "Application is not enabled" msgstr "Приложението не е включено." diff --git a/l10n/bg_BG/settings.po b/l10n/bg_BG/settings.po index 7741c170207..ba0d4dd635f 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "Обновено" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Записване..." @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "__language_name__" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "Крон" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Споделяне" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Още" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "По-малко" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Версия" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Потребител" diff --git a/l10n/bg_BG/user_ldap.po b/l10n/bg_BG/user_ldap.po index 7cbdd75fe6b..00d80cb160e 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Помощ" diff --git a/l10n/bn_BD/core.po b/l10n/bn_BD/core.po index ab302185623..b4dcaa3e016 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -141,55 +141,55 @@ msgstr "ডিসেম্বর" msgid "Settings" msgstr "নিয়ামকসমূহ" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "সেকেন্ড পূর্বে" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "আজ" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "গতকাল" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "গত মাস" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "মাস পূর্বে" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "গত বছর" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "বছর পূর্বে" @@ -197,23 +197,19 @@ msgstr "বছর পূর্বে" msgid "Choose" msgstr "বেছে নিন" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "বাতির" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "হ্যাঁ" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "না" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "তথাস্তু" @@ -620,14 +616,6 @@ msgid "" "href=\"%s\">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." diff --git a/l10n/bn_BD/files.po b/l10n/bn_BD/files.po index d5e9b24e076..dfaafb4e100 100644 --- a/l10n/bn_BD/files.po +++ b/l10n/bn_BD/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -94,12 +94,12 @@ msgstr "যথেষ্ঠ পরিমাণ স্থান নেই" msgid "Upload cancelled." msgstr "আপলোড বাতিল করা হয়েছে।" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "ফাইল আপলোড চলমান। এই পৃষ্ঠা পরিত্যাগ করলে আপলোড বাতিল করা হবে।" -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "URL ফাঁকা রাখা যাবে না।" @@ -107,8 +107,8 @@ msgstr "URL ফাঁকা রাখা যাবে না।" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "সমস্যা" @@ -184,35 +184,41 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "ফোল্ডারের নামটি সঠিক নয়। 'ভাগাভাগি করা' শুধুমাত্র Owncloud এর জন্য সংরক্ষিত।" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "রাম" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "আকার" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "পরিবর্তিত" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/bn_BD/files_sharing.po b/l10n/bn_BD/files_sharing.po index f4120be967e..13ff8fcdf45 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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 9f5df0a9649..367e8955b06 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "অ্যাপ্লিকেসনটি সক্রিয় নয়" diff --git a/l10n/bn_BD/settings.po b/l10n/bn_BD/settings.po index 6e3dfcafa4c..3b8d63a4a77 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:10+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" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "সংরক্ষণ করা হচ্ছে.." @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "__language_name__" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "বেশী" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "কম" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "ভার্সন" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "সংকেতায়ন" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/bn_BD/user_ldap.po b/l10n/bn_BD/user_ldap.po index 56f857f49ae..3a816ab1ca7 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "ব্যবহারকারির প্রবেশ ছাঁকন #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "প্রবেশের চেষ্টা করার সময় প্রযোজ্য ছাঁকনীটি নির্ধারণ করবে। প্রবেশের সময় ব্যবহারকারী নামটি %%uid দিয়ে প্রতিস্থাপিত হবে।" +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "%%uid স্থানধারক ব্যবহার করুন, উদাহরণঃ \"uid=%%uid\"" - -#: 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 "কোন স্থানধারক ব্যতীত, যেমনঃ \"objectClass=person\"।" +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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 "কোন স্থান ধারক ব্যতীত, উদাহরণঃ\"objectClass=posixGroup\"।" +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "পোর্ট" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "TLS ব্যবহার কর" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "বর্ণ অসংবেদী LDAP সার্ভার (উইন্ডোজ)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "SSL সনদপত্র যাচাইকরণ বন্ধ রাক।" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "অনুমোদিত নয়, শুধুমাত্র পরীক্ষামূলক ব্যবহারের জন্য।" - -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "সেকেন্ডে। কোন পরিবর্তন ক্যাসে খালি করবে।" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "ব্যবহারকারীর প্রদর্শিতব্য নামের ক্ষেত্র" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "ভিত্তি ব্যবহারকারি বৃক্ষাকারে" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "গোষ্ঠীর প্রদর্শিতব্য নামের ক্ষেত্র" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "ভিত্তি গোষ্ঠী বৃক্ষাকারে" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "গোষ্ঠী-সদস্য সংস্থাপন" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "বাইটে" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "ব্যবহারকারী নামের জন্য ফাঁকা রাখুন (পূর্বনির্ধারিত)। অন্যথায়, LDAP/AD বৈশিষ্ট্য নির্ধারণ করুন।" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "সহায়িকা" diff --git a/l10n/bs/core.po b/l10n/bs/core.po index d544fc01ed1..aaec19afacd 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -141,59 +141,59 @@ msgstr "" msgid "Settings" msgstr "" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "" @@ -201,23 +201,19 @@ msgstr "" msgid "Choose" msgstr "" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "" @@ -624,14 +620,6 @@ msgid "" "href=\"%s\">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." diff --git a/l10n/bs/files.po b/l10n/bs/files.po index 112380c4ce7..bd25245e3ae 100644 --- a/l10n/bs/files.po +++ b/l10n/bs/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -94,12 +94,12 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "" @@ -107,8 +107,8 @@ msgstr "" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "" @@ -185,36 +185,42 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Ime" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Veličina" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/bs/lib.po b/l10n/bs/lib.po index aaa796e1039..7c773af3f93 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/bs/settings.po b/l10n/bs/settings.po index f5e22a8b729..62b49ca53d4 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-07-27 01:56-0400\n" -"PO-Revision-Date: 2013-07-25 05:57+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Spašavam..." @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/bs/user_ldap.po b/l10n/bs/user_ldap.po index 8205b382a53..6e276fcf031 100644 --- a/l10n/bs/user_ldap.po +++ b/l10n/bs/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-27 01:56-0400\n" -"PO-Revision-Date: 2013-07-27 05:56+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "" diff --git a/l10n/ca/core.po b/l10n/ca/core.po index a9864b9876a..d5512edef9d 100644 --- a/l10n/ca/core.po +++ b/l10n/ca/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -143,55 +143,55 @@ msgstr "Desembre" msgid "Settings" msgstr "Configuració" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "segons enrere" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "avui" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "ahir" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "el mes passat" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "mesos enrere" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "l'any passat" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "anys enrere" @@ -199,23 +199,19 @@ msgstr "anys enrere" msgid "Choose" msgstr "Escull" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Cancel·la" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "Error en carregar la plantilla del seleccionador de fitxers" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Sí" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "No" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "D'acord" @@ -622,14 +618,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "Ei,

    només fer-te saber que %s ha compartit %s amb tu.
    Mira-ho:

    Salut!" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "anterior" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "següent" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/ca/files.po b/l10n/ca/files.po index a6bd337655e..3f3a39586a6 100644 --- a/l10n/ca/files.po +++ b/l10n/ca/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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -96,12 +96,12 @@ msgstr "No hi ha prou espai disponible" msgid "Upload cancelled." msgstr "La pujada s'ha cancel·lat." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Hi ha una pujada en curs. Si abandoneu la pàgina la pujada es cancel·larà." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "La URL no pot ser buida" @@ -109,8 +109,8 @@ msgstr "La URL no pot ser buida" msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nom de carpeta no vàlid. L'ús de 'Shared' està reservat per 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Error" @@ -186,35 +186,41 @@ msgstr "El vostre espai d'emmagatzemament és ple, els fitxers ja no es poden ac msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "El vostre espai d'emmagatzemament és gairebé ple ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "S'està preparant la baixada. Pot trigar una estona si els fitxers són grans." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Nom de carpeta no vàlid. L'ús de 'Shared' està reservat per Owncloud" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Nom" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Mida" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Modificat" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/ca/files_sharing.po b/l10n/ca/files_sharing.po index 90e87e11497..04c76283088 100644 --- a/l10n/ca/files_sharing.po +++ b/l10n/ca/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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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/ca/lib.po b/l10n/ca/lib.po index 28c2be4f31c..ada11927259 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -74,10 +74,6 @@ msgid "" "administrator." msgstr "Baixeu els fitxers en trossos petits, de forma separada, o pregunteu a l'administrador." -#: helper.php:235 -msgid "couldn't be determined" -msgstr "no s'ha pogut determinar" - #: json.php:28 msgid "Application is not enabled" msgstr "L'aplicació no està habilitada" diff --git a/l10n/ca/settings.po b/l10n/ca/settings.po index bfb24dfb9de..2a812a7f066 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: rogerc\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -122,7 +122,11 @@ msgstr "Error en actualitzar l'aplicació" msgid "Updated" msgstr "Actualitzada" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Desant..." @@ -167,7 +171,7 @@ msgstr "Error en crear l'usuari" msgid "A valid password must be provided" msgstr "Heu de facilitar una contrasenya vàlida" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "Català" @@ -238,106 +242,106 @@ msgstr "Aquest servidor no té cap connexió a internet que funcioni. Això sign msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Executa una tasca per cada paquet carregat" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "cron.php està registrat en un servei webcron que fa una crida cada minut a la pàgina cron.php a través de http." -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "Utilitzeu el sistema de servei cron per cridar el fitxer cron.php cada minut." -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Compartir" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Habilita l'API de compartir" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Permet que les aplicacions utilitzin l'API de compartir" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Permet enllaços" -#: templates/admin.php:143 +#: templates/admin.php:135 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:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "Permet pujada pública" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "Permet als usuaris habilitar pujades de tercers en les seves carpetes compartides al públic" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Permet compartir de nou" -#: templates/admin.php:161 +#: templates/admin.php:153 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:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Permet compartir amb qualsevol" -#: templates/admin.php:171 +#: templates/admin.php:163 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:178 +#: templates/admin.php:170 msgid "Security" msgstr "Seguretat" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "Força HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "Força la connexió dels clients a %s a través d'una connexió encriptada." -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "Connecteu a %s a través de HTTPS per habilitar o inhabilitar l'accés SSL." -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Registre" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Nivell de registre" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Més" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Menys" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Versió" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "Useu aquesta adreça per accedir als fitxers via WebDAV" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Nom d'accés" diff --git a/l10n/ca/user_ldap.po b/l10n/ca/user_ldap.po index 4f81fa85c21..8c6b13494d9 100644 --- a/l10n/ca/user_ldap.po +++ b/l10n/ca/user_ldap.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" -"Last-Translator: rogerc\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -155,198 +155,185 @@ msgstr "Filtre d'inici de sessió d'usuari" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Defineix el filtre a aplicar quan s'intenta l'inici de sessió. %%uid reemplaça el nom d'usuari en l'acció d'inici de sessió." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "useu el paràmetre de substitució %%uid, per exemple \"uid=%%uid\"" - -#: templates/settings.php:56 msgid "User List Filter" msgstr "Llista de filtres d'usuari" -#: templates/settings.php:59 -msgid "Defines the filter to apply, when retrieving users." -msgstr "Defineix el filtre a aplicar quan es mostren usuaris" - -#: templates/settings.php:60 -msgid "without any placeholder, e.g. \"objectClass=person\"." -msgstr "sense cap paràmetre de substitució, per exemple \"objectClass=persona\"" +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "Filtre de grup" -#: templates/settings.php:64 -msgid "Defines the filter to apply, when retrieving groups." -msgstr "Defineix el filtre a aplicar quan es mostren grups." - -#: templates/settings.php:65 -msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "sense cap paràmetre de substitució, per exemple \"objectClass=grupPosix\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "Arranjaments de connexió" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "Configuració activa" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "Si està desmarcat, aquesta configuració s'ometrà." -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Port" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "Màquina de còpia de serguretat (rèplica)" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "Afegiu una màquina de còpia de seguretat opcional. Ha de ser una rèplica del servidor LDAP/AD principal." -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "Port de la còpia de seguretat (rèplica)" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "Desactiva el servidor principal" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "Connecta només al servidor rèplica." -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Usa TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "No ho useu adicionalment per a conexions LDAPS, fallarà." -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "Servidor LDAP sense distinció entre majúscules i minúscules (Windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Desactiva la validació de certificat SSL." -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "Si la connexió només funciona amb aquesta opció, importeu el certificat SSL del servidor LDAP en el vostre servidor %s." - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "No recomanat, ús només per proves." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." +msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "Memòria de cau Time-To-Live" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "en segons. Un canvi buidarà la memòria de cau." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "Arranjaments de carpetes" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "Camp per mostrar el nom d'usuari" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "Atribut LDAP a usar per generar el nom a mostrar de l'usuari." -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "Arbre base d'usuaris" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "Una DN Base d'Usuari per línia" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "Atributs de cerca d'usuari" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "Opcional; Un atribut per línia" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "Camp per mostrar el nom del grup" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "Atribut LDAP a usar per generar el nom a mostrar del grup." -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "Arbre base de grups" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "Una DN Base de Grup per línia" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "Atributs de cerca de grup" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "Associació membres-grup" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "Atributs especials" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "Camp de quota" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "Quota per defecte" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "en bytes" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "Camp de correu electrònic" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "Norma per anomenar la carpeta arrel d'usuari" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "Deixeu-ho buit pel nom d'usuari (per defecte). Altrament, especifiqueu un atribut LDAP/AD." -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "Nom d'usuari intern" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -362,15 +349,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "Per defecte el nom d'usuari intern es crearà a partir de l'atribut UUID. Això assegura que el nom d'usuari és únic i que els caràcters no s'han de convertir. El nom d'usuari intern té la restricció que només estan permesos els caràcters: [ a-zA-Z0-9_.@- ]. Els altres caràcters es substitueixen pel seu corresponent ASCII o simplement s'ometen. En cas de col·lisió s'incrementa/decrementa en un. El nom d'usuari intern s'utilitza per identificar un usuari internament. També és el nom per defecte de la carpeta home d'usuari. És també un port de URLs remotes, per exemple tots els serveis *DAV. Amb aquest arranjament es pot variar el comportament per defecte. Per obtenir un comportament similar al d'abans de ownCloud 5, escriviu el nom d'usuari a mostrar en el camp següent. Deixei-lo en blanc si preferiu el comportament per defecte. Els canvis tindran efecte només en els nous usuaris LDAP mapats (afegits)." -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "Atribut nom d'usuari intern:" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "Sobrescriu la detecció UUID" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -381,15 +368,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "Per defecte, owncloud autodetecta l'atribut UUID. L'atribut UUID s'utilitza per identificar usuaris i grups de forma indubtable. També el nom d'usuari intern es crearà en base a la UUIS, si no heu especificat res diferent a dalt. Podeu sobreescriure l'arranjament i passar l'atribut que desitgeu. Heu d'assegurar-vos que l'atribut que escolliu pot ser recollit tant pels usuaris com pels grups i que és únic. Deixeu-ho en blanc si preferiu el comportament per defecte. els canvis s'aplicaran als usuaris i grups LDAP mapats de nou (afegits)." -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "Atribut UUID:" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "Mapatge d'usuari Nom d'usuari-LDAP" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -403,18 +390,18 @@ msgid "" "experimental stage." msgstr "Els noms d'usuari s'usen per desar i assignar (meta)dades. Per tal d'identificar amb precisió i reconèixer els usuaris, cada usuari LDAP tindrà un nom d'usuari intern. Això requereix mapatge del nom d'usuari a l'usuari LDAP. El nom d'usuari creat es mapa a la UUID de l'usuari LDAP. A més, la DN es posa a la memòria de cau per reduir la interacció LDAP, però no s'usa per identificació. En cas que la DN canvïi, els canvis es trobaran. El nom d'usuari intern s'usa a tot arreu. Si esborreu els mapatges quedaran sobrants a tot arreu. Esborrar els mapatges no és sensible a la configuració, afecta a totes les configuracions LDAP! No esborreu mai els mapatges en un entorn de producció, només en un estadi de prova o experimental." -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "Elimina el mapatge d'usuari Nom d'usuari-LDAP" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "Elimina el mapatge de grup Nom de grup-LDAP" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "Comprovació de la configuració" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Ajuda" diff --git a/l10n/cs_CZ/core.po b/l10n/cs_CZ/core.po index ed23a4058a7..37ee596b324 100644 --- a/l10n/cs_CZ/core.po +++ b/l10n/cs_CZ/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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-15 18:33+0000\n" -"Last-Translator: pstast \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -153,16 +153,16 @@ msgstr "před pár vteřinami" #: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "před %n minutou" +msgstr[1] "před %n minutami" +msgstr[2] "před %n minutami" #: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "před %n hodinou" +msgstr[1] "před %n hodinami" +msgstr[2] "před %n hodinami" #: js/js.js:815 msgid "today" @@ -175,9 +175,9 @@ msgstr "včera" #: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "před %n dnem" +msgstr[1] "před %n dny" +msgstr[2] "před %n dny" #: js/js.js:818 msgid "last month" @@ -186,9 +186,9 @@ msgstr "minulý měsíc" #: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "před %n měsícem" +msgstr[1] "před %n měsíci" +msgstr[2] "před %n měsíci" #: js/js.js:820 msgid "months ago" @@ -206,23 +206,19 @@ msgstr "před lety" msgid "Choose" msgstr "Vybrat" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Zrušit" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "Chyba při načítání šablony výběru souborů" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Ano" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Ne" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Ok" @@ -389,7 +385,7 @@ msgstr "Aktualizace byla úspěšná. Přesměrovávám na ownCloud." #: lostpassword/controller.php:61 #, php-format msgid "%s password reset" -msgstr "" +msgstr "reset hesla %s" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" @@ -629,14 +625,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "Ahoj,

    jenom vám chci oznámit, že %s s vámi sdílí %s.\nPodívat se můžete
    zde.

    Díky" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "předchozí" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "následující" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/cs_CZ/files.po b/l10n/cs_CZ/files.po index 6086a138d9e..3d3f68587f3 100644 --- a/l10n/cs_CZ/files.po +++ b/l10n/cs_CZ/files.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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -97,12 +97,12 @@ msgstr "Nedostatek volného místa" msgid "Upload cancelled." msgstr "Odesílání zrušeno." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Probíhá odesílání souboru. Opuštění stránky způsobí zrušení nahrávání." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "URL nemůže být prázdná." @@ -110,8 +110,8 @@ msgstr "URL nemůže být prázdná." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Název složky nelze použít. Použití názvu 'Shared' je ownCloudem rezervováno" -#: 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Chyba" @@ -158,9 +158,9 @@ msgstr "vrátit zpět" #: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "Nahrávám %n soubor" +msgstr[1] "Nahrávám %n soubory" +msgstr[2] "Nahrávám %n souborů" #: js/filelist.js:518 msgid "files uploading" @@ -188,41 +188,47 @@ msgstr "Vaše úložiště je plné, nelze aktualizovat ani synchronizovat soubo msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "Vaše úložiště je téměř plné ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Vaše soubory ke stažení se připravují. Pokud jsou velké, může to chvíli trvat." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Neplatný název složky. Pojmenování 'Shared' je rezervováno pro vnitřní potřeby ownCloud" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Název" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Velikost" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Upraveno" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "%n složka" +msgstr[1] "%n složky" +msgstr[2] "%n složek" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "%n soubor" +msgstr[1] "%n soubory" +msgstr[2] "%n souborů" #: lib/app.php:73 #, php-format diff --git a/l10n/cs_CZ/files_sharing.po b/l10n/cs_CZ/files_sharing.po index a6be32abb2f..58fe5480946 100644 --- a/l10n/cs_CZ/files_sharing.po +++ b/l10n/cs_CZ/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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+0000\n" "Last-Translator: pstast \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/files_trashbin.po b/l10n/cs_CZ/files_trashbin.po index 776ed0a08de..9294025f67d 100644 --- a/l10n/cs_CZ/files_trashbin.po +++ b/l10n/cs_CZ/files_trashbin.po @@ -4,12 +4,13 @@ # # Translators: # Honza K. , 2013 +# pstast , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-15 18:43+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-16 09:20+0000\n" "Last-Translator: pstast \n" "Language-Team: Czech (Czech Republic) (http://www.transifex.com/projects/p/owncloud/language/cs_CZ/)\n" "MIME-Version: 1.0\n" @@ -55,16 +56,16 @@ msgstr "Smazáno" #: js/trash.js:191 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "%n adresář" +msgstr[1] "%n adresáře" +msgstr[2] "%n adresářů" #: js/trash.js:197 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "%n soubor" +msgstr[1] "%n soubory" +msgstr[2] "%n souborů" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/cs_CZ/lib.po b/l10n/cs_CZ/lib.po index 5cde1831012..8c710f73a51 100644 --- a/l10n/cs_CZ/lib.po +++ b/l10n/cs_CZ/lib.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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -76,10 +76,6 @@ msgid "" "administrator." msgstr "Stáhněte soubory po menších částech, samostatně, nebo se obraťte na správce." -#: helper.php:235 -msgid "couldn't be determined" -msgstr "nelze zjistit" - #: json.php:28 msgid "Application is not enabled" msgstr "Aplikace není povolena" @@ -211,16 +207,16 @@ msgstr "před pár sekundami" #: template/functions.php:81 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "před %n minutou" +msgstr[1] "před %n minutami" +msgstr[2] "před %n minutami" #: template/functions.php:82 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "před %n hodinou" +msgstr[1] "před %n hodinami" +msgstr[2] "před %n hodinami" #: template/functions.php:83 msgid "today" @@ -233,9 +229,9 @@ msgstr "včera" #: template/functions.php:85 msgid "%n day go" msgid_plural "%n days ago" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "před %n dnem" +msgstr[1] "před %n dny" +msgstr[2] "před %n dny" #: template/functions.php:86 msgid "last month" @@ -244,9 +240,9 @@ msgstr "minulý měsíc" #: template/functions.php:87 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "před %n měsícem" +msgstr[1] "před %n měsíci" +msgstr[2] "před %n měsíci" #: template/functions.php:88 msgid "last year" diff --git a/l10n/cs_CZ/settings.po b/l10n/cs_CZ/settings.po index ccdfe4c30f4..1b7a56f1b44 100644 --- a/l10n/cs_CZ/settings.po +++ b/l10n/cs_CZ/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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: pstast \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -123,7 +123,11 @@ msgstr "Chyba při aktualizaci aplikace" msgid "Updated" msgstr "Aktualizováno" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Ukládám..." @@ -168,7 +172,7 @@ msgstr "Chyba při vytváření užiatele" msgid "A valid password must be provided" msgstr "Musíte zadat platné heslo" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "Česky" @@ -239,106 +243,106 @@ msgstr "Server nemá funkční připojení k internetu. Některé moduly jako na msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Spustit jednu úlohu s každým načtením stránky" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "cron.php je registrován u služby webcron pro zavolání stránky cron.php jednou za minutu přes HTTP." -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "Použít systémovou službu cron pro spouštění souboru cron.php jednou za minutu." -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Sdílení" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Povolit API sdílení" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Povolit aplikacím používat API sdílení" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Povolit odkazy" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "Povolit uživatelům sdílet položky veřejně pomocí odkazů" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "Povolit veřejné nahrávání souborů" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "Povolit uživatelům, aby mohli ostatním umožnit nahrávat do jejich veřejně sdílené složky" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Povolit znovu-sdílení" -#: templates/admin.php:161 +#: templates/admin.php:153 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:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Povolit uživatelům sdílet s kýmkoliv" -#: templates/admin.php:171 +#: templates/admin.php:163 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:178 +#: templates/admin.php:170 msgid "Security" msgstr "Zabezpečení" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "Vynutit HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "Vynutí připojování klientů k %s šifrovaným spojením." -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "Připojte se k %s skrze HTTPS pro povolení nebo zakázání vynucování SSL." -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Záznam" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Úroveň zaznamenávání" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Více" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Méně" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Verze" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 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/personal.php:117 +msgid "Encryption" +msgstr "Šifrování" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Přihlašovací jméno" diff --git a/l10n/cs_CZ/user_ldap.po b/l10n/cs_CZ/user_ldap.po index 7f676fdca37..492126412c4 100644 --- a/l10n/cs_CZ/user_ldap.po +++ b/l10n/cs_CZ/user_ldap.po @@ -4,14 +4,15 @@ # # Translators: # Honza K. , 2013 +# pstast , 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" -"Last-Translator: Honza K. \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -41,15 +42,15 @@ msgstr "Konfigurace je v pořádku, ale spojení selhalo. Zkontrolujte, prosím, msgid "" "The configuration is invalid. Please look in the ownCloud log for further " "details." -msgstr "Nastavení je neplatné. Zkontrolujte, prosím, záznam ownCloud pro další podrobnosti." +msgstr "Nastavení je neplatné. Zkontrolujte, prosím, záznamy ownCloud pro další podrobnosti." #: js/settings.js:66 msgid "Deletion failed" -msgstr "Mazání selhalo." +msgstr "Mazání selhalo" #: js/settings.js:82 msgid "Take over settings from recent server configuration?" -msgstr "Převzít nastavení z nedávného nastavení serveru?" +msgstr "Převzít nastavení z nedávné konfigurace serveru?" #: js/settings.js:83 msgid "Keep settings?" @@ -98,7 +99,7 @@ msgstr "Varování: Aplikace user_ldap a user_webdavauth jsou vzájemně msgid "" "Warning: The PHP LDAP module is not installed, the backend will not " "work. Please ask your system administrator to install it." -msgstr "Varování: není nainstalován LDAP modul pro PHP, podpůrná vrstva nebude fungovat. Požádejte, prosím, správce systému aby jej nainstaloval." +msgstr "Varování: není nainstalován LDAP modul pro PHP, podpůrná vrstva nebude fungovat. Požádejte, prosím, správce systému, aby jej nainstaloval." #: templates/settings.php:16 msgid "Server configuration" @@ -138,7 +139,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 "DN klentského uživatele ke kterému tvoříte vazbu, např. uid=agent,dc=example,dc=com. Pro anonymní přístup ponechte údaje DN and Heslo prázdné." +msgstr "DN klientského uživatele, ke kterému tvoříte vazbu, např. uid=agent,dc=example,dc=com. Pro anonymní přístup ponechte DN a heslo prázdné." #: templates/settings.php:47 msgid "Password" @@ -146,7 +147,7 @@ msgstr "Heslo" #: templates/settings.php:50 msgid "For anonymous access, leave DN and Password empty." -msgstr "Pro anonymní přístup, ponechte údaje DN and heslo prázdné." +msgstr "Pro anonymní přístup ponechte údaje DN and heslo prázdné." #: templates/settings.php:51 msgid "User Login Filter" @@ -156,198 +157,185 @@ msgstr "Filtr přihlášení uživatelů" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Určuje použitý filtr, při pokusu o přihlášení. %%uid nahrazuje uživatelské jméno v činnosti přihlášení." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "použijte zástupný vzor %%uid, např. \"uid=%%uid\"" - -#: templates/settings.php:56 msgid "User List Filter" -msgstr "Filtr uživatelských seznamů" - -#: templates/settings.php:59 -msgid "Defines the filter to apply, when retrieving users." -msgstr "Určuje použitý filtr, pro získávaní uživatelů." +msgstr "Filtr seznamu uživatelů" -#: templates/settings.php:60 -msgid "without any placeholder, e.g. \"objectClass=person\"." -msgstr "bez zástupných znaků, např. \"objectClass=person\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "Filtr skupin" -#: templates/settings.php:64 -msgid "Defines the filter to apply, when retrieving groups." -msgstr "Určuje použitý filtr, pro získávaní skupin." - -#: templates/settings.php:65 -msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "bez zástupných znaků, např. \"objectClass=posixGroup\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "Nastavení spojení" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "Nastavení aktivní" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." -msgstr "Pokud není zaškrtnuto, bude nastavení přeskočeno." +msgstr "Pokud není zaškrtnuto, bude toto nastavení přeskočeno." -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Port" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "Záložní (kopie) hostitel" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "Zadejte volitelného záložního hostitele. Musí to být kopie hlavního serveru LDAP/AD." -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "Záložní (kopie) port" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" -msgstr "Zakázat hlavní serveru" +msgstr "Zakázat hlavní server" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." -msgstr "Připojit jen k replikujícímu serveru." +msgstr "Připojit jen k záložnímu serveru." -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Použít TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." -msgstr "Nepoužívejte pro spojení LDAP, selže." +msgstr "Nepoužívejte v kombinaci s LDAPS spojením, nebude to fungovat." -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "LDAP server nerozlišující velikost znaků (Windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Vypnout ověřování SSL certifikátu." -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "Pokud spojení funguje jen s touto volbou, importujte SSL certifikát vašeho LDAP serveru na server %s." - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "Není doporučeno, pouze pro testovací účely." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." +msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "TTL vyrovnávací paměti" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." -msgstr "ve vteřinách. Změna vyprázdní vyrovnávací paměť." +msgstr "v sekundách. Změna vyprázdní vyrovnávací paměť." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "Nastavení adresáře" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "Pole zobrazovaného jména uživatele" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "LDAP atribut použitý k vytvoření zobrazovaného jména uživatele." -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "Základní uživatelský strom" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "Jedna uživatelská základní DN na řádku" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "Atributy vyhledávání uživatelů" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" -msgstr "Volitelné, atribut na řádku" +msgstr "Volitelné, jeden atribut na řádku" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "Pole zobrazovaného jména skupiny" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "LDAP atribut použitý k vytvoření zobrazovaného jména skupiny." -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "Základní skupinový strom" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "Jedna skupinová základní DN na řádku" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "Atributy vyhledávání skupin" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "Asociace člena skupiny" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "Speciální atributy" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "Pole pro kvótu" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "Výchozí kvóta" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "v bajtech" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "Pole e-mailu" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "Pravidlo pojmenování domovské složky uživatele" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "Ponechte prázdné pro uživatelské jméno (výchozí). Jinak uveďte LDAP/AD parametr." -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "Interní uživatelské jméno" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,17 +349,17 @@ msgid "" "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." -msgstr "Ve výchozím nastavení bude uživatelské jméno vytvořeno z UUID atributu. To zajistí unikátnost uživatelského jména bez potřeby konverze znaků. Interní uživatelské jméno je omezena na znaky: [ a-zA-Z0-9_.@- ]. Ostatní znaky jsou nahrazeny jejich ASCII ekvivalentem nebo jednoduše vynechány. V případě kolize uživatelských jmen bude přidáno/navýšeno číslo. Interní uživatelské jméno je používáno k interní identifikaci uživatele. Je také výchozím názvem uživatelského domovského adresáře. Je také součástí URL pro vzdálený přístup, například všech *DAV služeb. S tímto nastavením bude výchozí chování přepsáno. Pro dosažení podobného chování jako před ownCloudem 5 uveďte atribut zobrazovaného jména do pole níže. Ponechte prázdné pro výchozí chování. Změna bude mít vliv jen na nově namapované (přidané) uživatele z LDAP." +msgstr "Ve výchozím nastavení bude uživatelské jméno vytvořeno z UUID atributu. To zajistí unikátnost uživatelského jména a není potřeba provádět konverzi znaků. Interní uživatelské jméno je omezeno na znaky: [ a-zA-Z0-9_.@- ]. Ostatní znaky jsou nahrazeny jejich ASCII ekvivalentem nebo jednoduše vynechány. V případě kolize uživatelských jmen bude přidáno/navýšeno číslo. Interní uživatelské jméno je používáno k interní identifikaci uživatele. Je také výchozím názvem uživatelského domovského adresáře. Je také součástí URL pro vzdálený přístup, například všech *DAV služeb. S tímto nastavením může být výchozí chování změněno. Pro dosažení podobného chování jako před ownCloudem 5 uveďte atribut zobrazovaného jména do pole níže. Ponechte prázdné pro výchozí chování. Změna bude mít vliv jen na nově namapované (přidané) uživatele z LDAP." -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "Atribut interního uživatelského jména:" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "Nastavit ručně UUID atribut" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,17 +368,17 @@ 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 behavior. " "Changes will have effect only on newly mapped (added) LDAP users and groups." -msgstr "Ve výchozím nastavení je UUID atribut nalezen automaticky. UUID atribut je používán pro nezpochybnitelnou identifikaci uživatelů a skupin z LDAP. Navíc je na základě UUID tvořeno také interní uživatelské jméno, pokud není nastaveno jinak. Můžete výchozí nastavení přepsat a použít atribut který sami zvolíte. Musíte se ale ujistit že atribut který vyberete bude uveden jak u uživatelů, tak i u skupin a je unikátní. Ponechte prázdné pro výchozí chování. Změna bude mít vliv jen na nově namapované (přidané) uživatele a skupiny z LDAP." +msgstr "Ve výchozím nastavení je UUID atribut nalezen automaticky. UUID atribut je používán pro nezpochybnitelnou identifikaci uživatelů a skupin z LDAP. Navíc je na základě UUID tvořeno také interní uživatelské jméno, pokud není nastaveno jinak. Můžete výchozí nastavení přepsat a použít atribut, který sami zvolíte. Musíte se ale ujistit, že atribut, který vyberete, bude uveden jak u uživatelů, tak i u skupin a je unikátní. Ponechte prázdné pro výchozí chování. Změna bude mít vliv jen na nově namapované (přidané) uživatele a skupiny z LDAP." -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "Atribut UUID:" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "Mapování uživatelských jmen z LDAPu" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,20 +390,20 @@ msgid "" " is not configuration sensitive, it affects all LDAP configurations! Never " "clear the mappings in a production environment, only in a testing or " "experimental stage." -msgstr "Uživatelská jména jsou používány pro uchovávání a přiřazování (meta)dat. Pro správnou identifikaci a rozpoznání uživatelů bude mít každý uživatel z LDAP interní uživatelské jméno. To je nezbytné pro mapování uživatelských jmen na uživatele LDAP. Vytvořené uživatelské jméno je mapováno na UUID uživatele v LDAP. Navíc je cachována DN pro reprodukci interakce s LDAP, ale není používána pro identifikaci. Pokud se DN změní, bude to správně rozpoznáno. Vyčištění mapování zanechá zbytky všude. Vyčištění navíc není specifické konfiguraci, bude mít vliv na všechny LDAP konfigurace! Nikdy nečistěte mapování v produkčním prostředí, jen v testovací nebo experimentální fázi." +msgstr "Uživatelská jména jsou používány pro uchovávání a přiřazování (meta)dat. Pro správnou identifikaci a rozpoznání uživatelů bude mít každý uživatel z LDAP interní uživatelské jméno. To vyžaduje mapování uživatelských jmen na uživatele LDAP. Vytvořené uživatelské jméno je mapováno na UUID uživatele v LDAP. Navíc je cachována DN pro zmenšení interakce s LDAP, ale není používána pro identifikaci. Pokud se DN změní, bude to správně rozpoznáno. Interní uživatelské jméno se používá celé. Vyčištění mapování zanechá zbytky všude. Vyčištění navíc není specifické konfiguraci, bude mít vliv na všechny LDAP konfigurace! Nikdy nečistěte mapování v produkčním prostředí, jen v testovací nebo experimentální fázi." -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "Zrušit mapování uživatelských jmen LDAPu" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "Zrušit mapování názvů skupin LDAPu" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "Vyzkoušet nastavení" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Nápověda" diff --git a/l10n/cy_GB/core.po b/l10n/cy_GB/core.po index eda31fda907..f9b74a7649e 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -142,11 +142,11 @@ msgstr "Rhagfyr" msgid "Settings" msgstr "Gosodiadau" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "eiliad yn ôl" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" @@ -154,7 +154,7 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" @@ -162,15 +162,15 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "heddiw" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "ddoe" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" @@ -178,11 +178,11 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "mis diwethaf" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" @@ -190,15 +190,15 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "misoedd yn ôl" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "y llynedd" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "blwyddyn yn ôl" @@ -206,23 +206,19 @@ msgstr "blwyddyn yn ôl" msgid "Choose" msgstr "Dewisiwch" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Diddymu" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Ie" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Na" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Iawn" @@ -629,14 +625,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "blaenorol" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "nesaf" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/cy_GB/files.po b/l10n/cy_GB/files.po index 24e30b40187..a5c216a5355 100644 --- a/l10n/cy_GB/files.po +++ b/l10n/cy_GB/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -94,12 +94,12 @@ msgstr "Dim digon o le ar gael" msgid "Upload cancelled." msgstr "Diddymwyd llwytho i fyny." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Mae ffeiliau'n cael eu llwytho i fyny. Bydd gadael y dudalen hon nawr yn diddymu'r broses." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "Does dim hawl cael URL gwag." @@ -107,8 +107,8 @@ msgstr "Does dim hawl cael URL gwag." 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Gwall" @@ -186,29 +186,35 @@ msgstr "Mae eich storfa'n llawn, ni ellir diweddaru a chydweddu ffeiliau mwyach! msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "Mae eich storfa bron a bod yn llawn ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Wrthi'n paratoi i lwytho i lawr. Gall gymryd peth amser os yw'r ffeiliau'n fawr." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Enw plygell annilys. Mae'r defnydd o 'Shared' yn cael ei gadw gan Owncloud" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Enw" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Maint" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Addaswyd" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" @@ -216,7 +222,7 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/cy_GB/files_sharing.po b/l10n/cy_GB/files_sharing.po index 6c8d5f69531..40a26ec13c0 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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/cy_GB/lib.po b/l10n/cy_GB/lib.po index f53ef9f6f27..e0aa60f01d3 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "methwyd pennu" - #: json.php:28 msgid "Application is not enabled" msgstr "Nid yw'r pecyn wedi'i alluogi" diff --git a/l10n/cy_GB/settings.po b/l10n/cy_GB/settings.po index bf5e3f365c6..c4bdbaa6bd0 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Yn cadw..." @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/cy_GB/user_ldap.po b/l10n/cy_GB/user_ldap.po index 99af3545bfa..a42f865fb36 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Cymorth" diff --git a/l10n/da/core.po b/l10n/da/core.po index 99b3fdb8c67..4f224cbacac 100644 --- a/l10n/da/core.po +++ b/l10n/da/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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:00+0000\n" -"Last-Translator: claus_chr \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -201,23 +201,19 @@ msgstr "år siden" msgid "Choose" msgstr "Vælg" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Annuller" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "Fejl ved indlæsning af filvælger skabelon" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Ja" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Nej" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "OK" @@ -624,14 +620,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "Hallo,

    dette blot for at lade dig vide, at %s har delt \"%s\" med dig.
    Se det!

    Hej" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "forrige" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "næste" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/da/files.po b/l10n/da/files.po index 168a6cd426a..60430686289 100644 --- a/l10n/da/files.po +++ b/l10n/da/files.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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -97,12 +97,12 @@ msgstr "ikke nok tilgængelig ledig plads " msgid "Upload cancelled." msgstr "Upload afbrudt." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Fil upload kører. Hvis du forlader siden nu, vil uploadet blive annuleret." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "URLen kan ikke være tom." @@ -110,8 +110,8 @@ msgstr "URLen kan ikke være tom." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Ugyldigt mappenavn. Brug af 'Shared' er forbeholdt af 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Fejl" @@ -187,35 +187,41 @@ msgstr "Din opbevaringsplads er fyldt op, filer kan ikke opdateres eller synkron msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "Din opbevaringsplads er næsten fyldt op ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Dit download forberedes. Dette kan tage lidt tid ved større filer." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Ugyldigt mappenavn. Brug af \"Shared\" er forbeholdt Owncloud" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Navn" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Størrelse" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Ændret" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n mappe" msgstr[1] "%n mapper" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n fil" diff --git a/l10n/da/files_sharing.po b/l10n/da/files_sharing.po index 6ce42eb608a..a6dc9237e08 100644 --- a/l10n/da/files_sharing.po +++ b/l10n/da/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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+0000\n" "Last-Translator: Sappe\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 8e9c6124d75..95d0d373d80 100644 --- a/l10n/da/lib.po +++ b/l10n/da/lib.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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:00+0000\n" -"Last-Translator: claus_chr \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -76,10 +76,6 @@ msgid "" "administrator." msgstr "Download filerne i små bider, seperat, eller kontakt venligst din administrator." -#: helper.php:235 -msgid "couldn't be determined" -msgstr "kunne ikke fastslås" - #: json.php:28 msgid "Application is not enabled" msgstr "Programmet er ikke aktiveret" diff --git a/l10n/da/settings.po b/l10n/da/settings.po index 9bff35b5b3d..1ae81e2e65c 100644 --- a/l10n/da/settings.po +++ b/l10n/da/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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: Sappe\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:10+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -123,7 +123,11 @@ msgstr "Der opstod en fejl under app opgraderingen" msgid "Updated" msgstr "Opdateret" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Gemmer..." @@ -168,7 +172,7 @@ msgstr "Fejl ved oprettelse af bruger" msgid "A valid password must be provided" msgstr "En gyldig adgangskode skal angives" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "Dansk" @@ -239,106 +243,106 @@ msgstr "Denne ownCloud-server har ikke en fungerende forbindelse til internettet msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Udføre en opgave med hver side indlæst" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "cron.php er registeret hos en webcron-tjeneste til at kalde cron.php en gang i minuttet over http." -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "Brug systemets cron service til at kalde cron.php filen en gang i minuttet" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Deling" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Aktiver Share API" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Tillad apps til at bruge Share API" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Tillad links" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "Tillad brugere at dele elementer til offentligheden med links" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "Tillad offentlig upload" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "Tillad brugere at give andre mulighed for at uploade i deres offentligt delte mapper" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Tillad videredeling" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "Tillad brugere at dele elementer delt med dem igen" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Tillad brugere at dele med alle" -#: templates/admin.php:171 +#: templates/admin.php:163 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:178 +#: templates/admin.php:170 msgid "Security" msgstr "Sikkerhed" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "Gennemtving HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "Tving klienten til at forbinde til %s via en kryptetet forbindelse." -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "Forbind venligst til din %s via HTTPS for at aktivere eller deaktivere SSL tvang." -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Log" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Log niveau" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Mere" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Mindre" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Version" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "Anvend denne adresse til at tilgå dine filer via WebDAV" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "Kryptering" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Loginnavn" diff --git a/l10n/da/user_ldap.po b/l10n/da/user_ldap.po index 480233b211a..0882b5d0a80 100644 --- a/l10n/da/user_ldap.po +++ b/l10n/da/user_ldap.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" -"Last-Translator: Sappe\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -155,198 +155,185 @@ msgstr "Bruger Login Filter" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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 "Brugerliste Filter" -#: templates/settings.php:59 -msgid "Defines the filter to apply, when retrieving users." -msgstr "Definere filteret der bruges ved indlæsning af brugere." - -#: templates/settings.php:60 -msgid "without any placeholder, e.g. \"objectClass=person\"." -msgstr "Uden stedfortræder, f.eks. \"objectClass=person\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "Gruppe Filter" -#: templates/settings.php:64 -msgid "Defines the filter to apply, when retrieving groups." -msgstr "Definere filteret der bruges når der indlæses grupper." - -#: templates/settings.php:65 -msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "Uden stedfortræder, f.eks. \"objectClass=posixGroup\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "Forbindelsesindstillinger " -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "Konfiguration Aktiv" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Port" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "Backup (Replika) Vært" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "Backup (Replika) Port" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "Deaktiver Hovedserver" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "Forbind kun til replika serveren." -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Brug TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "Benyt ikke flere LDAPS forbindelser, det vil mislykkeds. " -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Deaktiver SSL certifikat validering" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "Anbefales ikke, brug kun for at teste." - -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "User Display Name Field" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "Base Bruger Træ" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "Base Group Tree" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "Group-Member association" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "i bytes" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "Email Felt" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "Internt Brugernavn" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -362,15 +349,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -381,15 +368,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -403,18 +390,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "Test Konfiguration" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Hjælp" diff --git a/l10n/de/core.po b/l10n/de/core.po index 3d323562a86..707d01e384e 100644 --- a/l10n/de/core.po +++ b/l10n/de/core.po @@ -15,8 +15,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-15 09:20+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+0000\n" "Last-Translator: I Robot \n" "Language-Team: German \n" "MIME-Version: 1.0\n" @@ -205,23 +205,19 @@ msgstr "Vor Jahren" msgid "Choose" msgstr "Auswählen" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Abbrechen" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "Dateiauswahltemplate konnte nicht geladen werden" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Ja" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Nein" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "OK" @@ -628,14 +624,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "Hallo,

    wollte dich nur kurz informieren, dass %s gerade %s mit dir geteilt hat.
    Schau es dir an.

    Gruß!" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "Zurück" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "Weiter" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/de/files.po b/l10n/de/files.po index f58b5d5e1ed..c66968b0c14 100644 --- a/l10n/de/files.po +++ b/l10n/de/files.po @@ -12,8 +12,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+0000\n" "Last-Translator: I Robot \n" "Language-Team: German \n" "MIME-Version: 1.0\n" @@ -99,12 +99,12 @@ msgstr "Nicht genug Speicherplatz verfügbar" msgid "Upload cancelled." msgstr "Upload abgebrochen." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Dateiupload läuft. Wenn Du die Seite jetzt verlässt, wird der Upload abgebrochen." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "Die URL darf nicht leer sein." @@ -112,8 +112,8 @@ msgstr "Die URL darf nicht leer sein." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Der Ordnername ist ungültig. Nur ownCloud kann den Ordner \"Shared\" anlegen" -#: 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Fehler" @@ -189,35 +189,41 @@ msgstr "Dein Speicher ist voll, daher können keine Dateien mehr aktualisiert od msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "Dein Speicher ist fast voll ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Dein Download wird vorbereitet. Dies kann bei größeren Dateien etwas dauern." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Ungültiger Verzeichnisname. Die Nutzung von \"Shared\" ist ownCloud vorbehalten." -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Name" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Größe" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Geändert" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n Ordner" msgstr[1] "%n Ordner" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n Datei" diff --git a/l10n/de/files_sharing.po b/l10n/de/files_sharing.po index a8263e4c718..656a195b2f7 100644 --- a/l10n/de/files_sharing.po +++ b/l10n/de/files_sharing.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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+0000\n" "Last-Translator: Mario Siegmann \n" "Language-Team: German \n" "MIME-Version: 1.0\n" diff --git a/l10n/de/lib.po b/l10n/de/lib.po index 88e04aff8a6..e1661944825 100644 --- a/l10n/de/lib.po +++ b/l10n/de/lib.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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-15 09:20+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+0000\n" "Last-Translator: I Robot \n" "Language-Team: German \n" "MIME-Version: 1.0\n" @@ -76,10 +76,6 @@ msgid "" "administrator." msgstr "Lade die Dateien in kleineren, separaten, Stücken herunter oder bitte deinen Administrator." -#: helper.php:235 -msgid "couldn't be determined" -msgstr "konnte nicht festgestellt werden" - #: json.php:28 msgid "Application is not enabled" msgstr "Die Anwendung ist nicht aktiviert" diff --git a/l10n/de/settings.po b/l10n/de/settings.po index 548de28a30d..93d2ba51a14 100644 --- a/l10n/de/settings.po +++ b/l10n/de/settings.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: Mario Siegmann \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"Last-Translator: I Robot \n" "Language-Team: German \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -125,7 +125,11 @@ msgstr "Fehler beim Aktualisieren der App" msgid "Updated" msgstr "Aktualisiert" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Speichern..." @@ -170,7 +174,7 @@ msgstr "Beim Anlegen des Benutzers ist ein Fehler aufgetreten" msgid "A valid password must be provided" msgstr "Es muss ein gültiges Passwort angegeben werden" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "Deutsch (Persönlich)" @@ -241,106 +245,106 @@ msgstr "Dieser Server hat keine funktionierende Internetverbindung. Dies bedeute msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Führe eine Aufgabe mit jeder geladenen Seite aus" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "cron.php ist als Webcron-Dienst registriert, der die cron.php minütlich per HTTP aufruft." -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "Benutze den System-Crondienst um die cron.php minütlich aufzurufen." -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Teilen" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Aktiviere Sharing-API" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Erlaubt Apps die Nutzung der Share-API" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Erlaubt Links" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "Erlaubt Benutzern, Inhalte über öffentliche Links zu teilen" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "Öffentliches Hochladen erlauben" -#: templates/admin.php:152 +#: templates/admin.php:144 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:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Erlaubt erneutes Teilen" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "Erlaubt Benutzern, mit ihnen geteilte Inhalte erneut zu teilen" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Erlaubt Benutzern, mit jedem zu teilen" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "Erlaubt Benutzern, nur mit Benutzern ihrer Gruppe zu teilen" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "Sicherheit" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "Erzwinge HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "Zwingt die Clients, sich über eine verschlüsselte Verbindung zu %s zu verbinden." -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "Bitte verbinde dich zu deinem %s über HTTPS um die SSL-Erzwingung zu aktivieren oder zu deaktivieren." -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Log" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Loglevel" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Mehr" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Weniger" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Version" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 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/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Loginname" diff --git a/l10n/de/user_ldap.po b/l10n/de/user_ldap.po index 8f5ae1cdcbc..4206bae5ba9 100644 --- a/l10n/de/user_ldap.po +++ b/l10n/de/user_ldap.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: Mario Siegmann \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"Last-Translator: I Robot \n" "Language-Team: German \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -158,198 +158,185 @@ msgstr "Benutzer-Login-Filter" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Bestimmt den angewendeten Filter, wenn eine Anmeldung versucht wird. %%uid ersetzt den Benutzernamen beim Anmeldeversuch." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "verwende %%uid Platzhalter, z. B. \"uid=%%uid\"" - -#: templates/settings.php:56 msgid "User List Filter" msgstr "Benutzer-Filter-Liste" -#: templates/settings.php:59 -msgid "Defines the filter to apply, when retrieving users." -msgstr "Definiert den Filter für die Anfrage der Benutzer." - -#: templates/settings.php:60 -msgid "without any placeholder, e.g. \"objectClass=person\"." -msgstr "ohne Platzhalter, z.B.: \"objectClass=person\"" +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "Gruppen-Filter" -#: templates/settings.php:64 -msgid "Defines the filter to apply, when retrieving groups." -msgstr "Definiert den Filter für die Anfrage der Gruppen." - -#: templates/settings.php:65 -msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "ohne Platzhalter, z.B.: \"objectClass=posixGroup\"" +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "Verbindungseinstellungen" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "Konfiguration aktiv" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "Konfiguration wird übersprungen wenn deaktiviert" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Port" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "Backup Host (Kopie)" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "Gib einen optionalen Backup Host an. Es muss sich um eine Kopie des Haupt LDAP/AD Servers handeln." -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "Backup Port" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "Hauptserver deaktivieren" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "Nur zum Replikat-Server verbinden." -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Nutze TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "Benutze es nicht zusammen mit LDAPS Verbindungen, es wird fehlschlagen." -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "LDAP-Server (Windows: Groß- und Kleinschreibung bleibt unbeachtet)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Schalte die SSL-Zertifikatsprüfung aus." -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "Falls die Verbindung nur mit dieser Option funktioniert, importiere das SSL-Zertifikat des LDAP-Servers in deinen %s Server." - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "Nicht empfohlen, nur zu Testzwecken." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." +msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "Speichere Time-To-Live zwischen" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "in Sekunden. Eine Änderung leert den Cache." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "Ordnereinstellungen" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "Feld für den Anzeigenamen des Benutzers" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "Das LDAP-Attribut zur Generierung des Anzeigenamens des Benutzers." -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "Basis-Benutzerbaum" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "Ein Benutzer Basis-DN pro Zeile" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "Benutzersucheigenschaften" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "Optional; ein Attribut pro Zeile" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "Feld für den Anzeigenamen der Gruppe" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "Das LDAP-Attribut zur Generierung des Anzeigenamens der Gruppen." -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "Basis-Gruppenbaum" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "Ein Gruppen Basis-DN pro Zeile" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "Gruppensucheigenschaften" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "Assoziation zwischen Gruppe und Benutzer" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "Spezielle Eigenschaften" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "Kontingent Feld" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "Standard Kontingent" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "in Bytes" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "E-Mail Feld" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "Benennungsregel für das Home-Verzeichnis des Benutzers" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "Ohne Eingabe wird der Benutzername (Standard) verwendet. Anderenfall trage ein LDAP/AD-Attribut ein." -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "Interner Benutzername" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -365,15 +352,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "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 Zeichen werden mittels ihrer korrespondierenden Zeichen ersetzt oder einfach ausgelassen. Bei Kollisionen 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. Es ist auch ein Teil der 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 nur auf neu gemappte (hinzugefügte) LDAP-Benutzer auswirken." -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "Attribut für interne Benutzernamen:" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "UUID-Erkennung überschreiben" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -384,15 +371,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "Standardmäßig wird die UUID-Eigenschaft automatisch erkannt. Die UUID-Eigenschaft wird genutzt, um einen LDAP-Benutzer und Gruppen einwandfrei zu identifizieren. Außerdem wird der interne Benutzername erzeugt, der auf Eigenschaften der UUID basiert, wenn es oben nicht anders angegeben wurde. Du musst allerdings sicherstellen, dass deine gewählten Eigenschaften zur Identifikation der Benutzer und Gruppen eindeutig sind und zugeordnet werden können. Lasse es frei, um es beim Standardverhalten zu belassen. Änderungen wirken sich nur auf neu gemappte (hinzugefügte) LDAP-Benutzer und -Gruppen aus." -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "UUID-Attribut:" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "LDAP-Benutzernamenzuordnung" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -406,18 +393,18 @@ msgid "" "experimental stage." msgstr "Die Benutzernamen werden genutzt, 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 (mappen) von Benutzernamen zum LDAP-Benutzer. Der erstellte Benutzername wird der UUID des LDAP-Benutzernamens zugeordnet. Zusätzlich wird der DN zwischengespeichert, um die Interaktion mit dem LDAP zu minimieren, was aber nicht der Identifikation dient. Ändert sich der DN, werden die Änderungen durch gefunden. Der interne Benutzername, wird in überall verwendet. Werden die Zuordnungen gelöscht, bleiben überall Reste zurück. 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ösche die Zuordnungen nur in einer Test- oder Experimentierumgebung." -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "Lösche LDAP-Benutzernamenzuordnung" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "Lösche LDAP-Gruppennamenzuordnung" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "Testkonfiguration" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Hilfe" diff --git a/l10n/de_AT/core.po b/l10n/de_AT/core.po index 621763a9b8e..d26af5c3d7b 100644 --- a/l10n/de_AT/core.po +++ b/l10n/de_AT/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Austria) (http://www.transifex.com/projects/p/owncloud/language/de_AT/)\n" "MIME-Version: 1.0\n" @@ -142,55 +142,55 @@ msgstr "" msgid "Settings" msgstr "" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "" @@ -198,23 +198,19 @@ msgstr "" msgid "Choose" msgstr "" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "" @@ -621,14 +617,6 @@ msgid "" "href=\"%s\">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." diff --git a/l10n/de_AT/files.po b/l10n/de_AT/files.po index 6bb9f95f5e5..5f0e9fd18a3 100644 --- a/l10n/de_AT/files.po +++ b/l10n/de_AT/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Austria) (http://www.transifex.com/projects/p/owncloud/language/de_AT/)\n" "MIME-Version: 1.0\n" @@ -94,12 +94,12 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "" @@ -107,8 +107,8 @@ msgstr "" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "" @@ -184,35 +184,41 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/de_AT/lib.po b/l10n/de_AT/lib.po index 0984165a840..f4911a0682a 100644 --- a/l10n/de_AT/lib.po +++ b/l10n/de_AT/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Austria) (http://www.transifex.com/projects/p/owncloud/language/de_AT/)\n" "MIME-Version: 1.0\n" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/de_AT/settings.po b/l10n/de_AT/settings.po index 97a2d199c8e..d21b2d2b2b1 100644 --- a/l10n/de_AT/settings.po +++ b/l10n/de_AT/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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 09:02+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Austria) (http://www.transifex.com/projects/p/owncloud/language/de_AT/)\n" "MIME-Version: 1.0\n" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "" @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/de_AT/user_ldap.po b/l10n/de_AT/user_ldap.po index 2affcc0727d..affcff22fbe 100644 --- a/l10n/de_AT/user_ldap.po +++ b/l10n/de_AT/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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 09:02+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Austria) (http://www.transifex.com/projects/p/owncloud/language/de_AT/)\n" "MIME-Version: 1.0\n" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "" diff --git a/l10n/de_CH/core.po b/l10n/de_CH/core.po index 78e1a2ea083..deacb1c3c4c 100644 --- a/l10n/de_CH/core.po +++ b/l10n/de_CH/core.po @@ -15,8 +15,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Switzerland) (http://www.transifex.com/projects/p/owncloud/language/de_CH/)\n" "MIME-Version: 1.0\n" @@ -149,55 +149,55 @@ msgstr "Dezember" msgid "Settings" msgstr "Einstellungen" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "Gerade eben" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "Heute" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "Gestern" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "Letzten Monat" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "Vor Monaten" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "Letztes Jahr" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "Vor Jahren" @@ -205,23 +205,19 @@ msgstr "Vor Jahren" msgid "Choose" msgstr "Auswählen" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Abbrechen" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "Es ist ein Fehler in der Vorlage des Datei-Auswählers aufgetreten." -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Ja" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Nein" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "OK" @@ -628,14 +624,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "Hallo,

    ich wollte Sie nur wissen lassen, dass %s %s mit Ihnen teilt.
    Schauen Sie es sich an!

    Viele Grüsse!" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "Zurück" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "Weiter" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/de_CH/files.po b/l10n/de_CH/files.po index 20aca9d1ea2..8befee513b7 100644 --- a/l10n/de_CH/files.po +++ b/l10n/de_CH/files.po @@ -15,8 +15,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Switzerland) (http://www.transifex.com/projects/p/owncloud/language/de_CH/)\n" "MIME-Version: 1.0\n" @@ -102,12 +102,12 @@ msgstr "Nicht genügend Speicherplatz verfügbar" msgid "Upload cancelled." msgstr "Upload abgebrochen." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Dateiupload läuft. Wenn Sie die Seite jetzt verlassen, wird der Upload abgebrochen." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "Die URL darf nicht leer sein." @@ -115,8 +115,8 @@ msgstr "Die URL darf nicht leer sein." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Ungültiger Ordnername. Die Verwendung von «Shared» ist ownCloud vorbehalten." -#: 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Fehler" @@ -192,35 +192,41 @@ msgstr "Ihr Speicher ist voll, daher können keine Dateien mehr aktualisiert ode msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "Ihr Speicher ist fast voll ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Ihr Download wird vorbereitet. Dies kann bei grösseren Dateien etwas dauern." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Ungültiger Verzeichnisname. Die Nutzung von «Shared» ist ownCloud vorbehalten" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Name" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Grösse" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Geändert" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/de_CH/files_sharing.po b/l10n/de_CH/files_sharing.po index c17931aa32b..95b2c5d60fc 100644 --- a/l10n/de_CH/files_sharing.po +++ b/l10n/de_CH/files_sharing.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-07 14:30+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+0000\n" "Last-Translator: FlorianScholz \n" "Language-Team: German (Switzerland) (http://www.transifex.com/projects/p/owncloud/language/de_CH/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/de_CH/lib.po b/l10n/de_CH/lib.po index b694523ffe8..f196e68f997 100644 --- a/l10n/de_CH/lib.po +++ b/l10n/de_CH/lib.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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Switzerland) (http://www.transifex.com/projects/p/owncloud/language/de_CH/)\n" "MIME-Version: 1.0\n" @@ -76,10 +76,6 @@ msgid "" "administrator." msgstr "Laden Sie die Dateien in kleineren, separaten, Stücken herunter oder bitten Sie Ihren Administrator." -#: helper.php:235 -msgid "couldn't be determined" -msgstr "konnte nicht ermittelt werden" - #: json.php:28 msgid "Application is not enabled" msgstr "Die Anwendung ist nicht aktiviert" diff --git a/l10n/de_CH/settings.po b/l10n/de_CH/settings.po index 776bfefdefd..9b99da139e8 100644 --- a/l10n/de_CH/settings.po +++ b/l10n/de_CH/settings.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: FlorianScholz \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"Last-Translator: I Robot \n" "Language-Team: German (Switzerland) (http://www.transifex.com/projects/p/owncloud/language/de_CH/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -127,7 +127,11 @@ msgstr "Es ist ein Fehler während des Updates aufgetreten" msgid "Updated" msgstr "Aktualisiert" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Speichern..." @@ -172,7 +176,7 @@ msgstr "Beim Erstellen des Benutzers ist ein Fehler aufgetreten" msgid "A valid password must be provided" msgstr "Es muss ein gültiges Passwort angegeben werden" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "Deutsch (Förmlich: Sie)" @@ -243,106 +247,106 @@ msgstr "Dieser Server hat keine funktionierende Internetverbindung. Dies bedeute msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Eine Aufgabe bei jedem Laden der Seite ausführen" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "cron.php ist als Webcron-Dienst registriert, der die cron.php minütlich per HTTP aufruft." -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "Benutzen Sie den System-Crondienst um die cron.php minütlich aufzurufen." -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Teilen" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Share-API aktivieren" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Anwendungen erlauben, die Share-API zu benutzen" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Links erlauben" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "Benutzern erlauben, Inhalte per öffentlichem Link zu teilen" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "Erlaube öffentliches hochladen" -#: templates/admin.php:152 +#: templates/admin.php:144 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:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Erlaube Weiterverteilen" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "Erlaubt Benutzern, mit ihnen geteilte Inhalte erneut zu teilen" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Erlaubt Benutzern, mit jedem zu teilen" -#: templates/admin.php:171 +#: templates/admin.php:163 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:178 +#: templates/admin.php:170 msgid "Security" msgstr "Sicherheit" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "HTTPS erzwingen" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "Zwingt die Clients, sich über eine verschlüsselte Verbindung zu %s zu verbinden." -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "Bitte verbinden Sie sich zu Ihrem %s über HTTPS um die SSL-Erzwingung zu aktivieren oder zu deaktivieren." -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Log" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Log-Level" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Mehr" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Weniger" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Version" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 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/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Loginname" diff --git a/l10n/de_CH/user_ldap.po b/l10n/de_CH/user_ldap.po index 20049b695c2..9081b095a9c 100644 --- a/l10n/de_CH/user_ldap.po +++ b/l10n/de_CH/user_ldap.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" -"Last-Translator: FlorianScholz \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"Last-Translator: I Robot \n" "Language-Team: German (Switzerland) (http://www.transifex.com/projects/p/owncloud/language/de_CH/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -161,198 +161,185 @@ msgstr "Benutzer-Login-Filter" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Bestimmt den angewendeten Filter, wenn eine Anmeldung durchgeführt wird. %%uid ersetzt den Benutzernamen beim Anmeldeversuch." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "verwenden Sie %%uid Platzhalter, z. B. «uid=%%uid»" - -#: templates/settings.php:56 msgid "User List Filter" msgstr "Benutzer-Filter-Liste" -#: templates/settings.php:59 -msgid "Defines the filter to apply, when retrieving users." -msgstr "Definiert den Filter für die Anfrage der Benutzer." - -#: templates/settings.php:60 -msgid "without any placeholder, e.g. \"objectClass=person\"." -msgstr "ohne Platzhalter, z.B.: «objectClass=person»" +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "Gruppen-Filter" -#: templates/settings.php:64 -msgid "Defines the filter to apply, when retrieving groups." -msgstr "Definiert den Filter für die Anfrage der Gruppen." - -#: templates/settings.php:65 -msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "ohne Platzhalter, z.B.: «objectClass=posixGroup»" +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "Verbindungseinstellungen" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "Konfiguration aktiv" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "Wenn nicht angehakt, wird diese Konfiguration übersprungen." -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Port" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "Backup Host (Kopie)" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "Geben Sie einen optionalen Backup Host an. Es muss sich um eine Kopie des Haupt LDAP/AD Servers handeln." -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "Backup Port" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "Hauptserver deaktivieren" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "Nur zum Replikat-Server verbinden." -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Nutze TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "Benutzen Sie es nicht in Verbindung mit LDAPS Verbindungen, es wird fehlschlagen." -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "LDAP-Server (Windows: Gross- und Kleinschreibung bleibt unbeachtet)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Schalten Sie die SSL-Zertifikatsprüfung aus." -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "Falls die Verbindung nur mit dieser Option funktioniert, importieren Sie das SSL-Zertifikat des LDAP-Servers in Ihren %s Server." - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "Nicht empfohlen, nur zu Testzwecken." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." +msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "Speichere Time-To-Live zwischen" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "in Sekunden. Eine Änderung leert den Cache." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "Ordnereinstellungen" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "Feld für den Anzeigenamen des Benutzers" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "Das LDAP-Attribut zur Generierung des Anzeigenamens des Benutzers." -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "Basis-Benutzerbaum" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "Ein Benutzer Basis-DN pro Zeile" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "Benutzersucheigenschaften" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "Optional; ein Attribut pro Zeile" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "Feld für den Anzeigenamen der Gruppe" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "Das LDAP-Attribut zur Generierung des Anzeigenamens der Gruppen." -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "Basis-Gruppenbaum" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "Ein Gruppen Basis-DN pro Zeile" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "Gruppensucheigenschaften" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "Assoziation zwischen Gruppe und Benutzer" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "Spezielle Eigenschaften" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "Kontingent-Feld" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "Standard-Kontingent" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "in Bytes" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "E-Mail-Feld" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "Benennungsregel für das Home-Verzeichnis des Benutzers" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "Ohne Eingabe wird der Benutzername (Standard) verwendet. Anderenfalls tragen Sie bitte ein LDAP/AD-Attribut ein." -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "Interner Benutzername" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -368,15 +355,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "Standardmässig 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 Zeichen werden mittels ihrer korrespondierenden Zeichen ersetzt oder einfach ausgelassen. Bei Kollisionen 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ässig vorausgewählte Namen des Heimatverzeichnisses. Es ist auch ein Teil der 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 nur auf neu gemappte (hinzugefügte) LDAP-Benutzer auswirken." -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "Interne Eigenschaften des Benutzers:" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "UUID-Erkennung überschreiben" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -387,15 +374,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "Standardmässig wird die UUID-Eigenschaft automatisch erkannt. Die UUID-Eigenschaft wird genutzt, um einen LDAP-Benutzer und Gruppen einwandfrei zu identifizieren. Ausserdem wird der interne Benutzername erzeugt, der auf Eigenschaften der UUID basiert, wenn es oben nicht anders angegeben wurde. Sie müssen allerdings sicherstellen, dass Ihre gewählten Eigenschaften zur Identifikation der Benutzer und Gruppen eindeutig sind und zugeordnet werden können. Lassen Sie es frei, um es beim Standardverhalten zu belassen. Änderungen wirken sich nur auf neu gemappte (hinzugefügte) LDAP-Benutzer und -Gruppen aus." -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "UUID-Attribut:" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "LDAP-Benutzernamenzuordnung" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -409,18 +396,18 @@ msgid "" "experimental stage." msgstr "Die Benutzernamen werden genutzt, 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 (mappen) von Benutzernamen zum LDAP-Benutzer. Der erstellte Benutzername wird der UUID des LDAP-Benutzernamens zugeordnet. Zusätzlich wird der DN zwischengespeichert, um die Interaktion mit dem LDAP zu minimieren, was aber nicht der Identifikation dient. Ändert sich der DN, werden die Änderungen durch gefunden. Der interne Benutzername, wird in überall verwendet. Werden die Zuordnungen gelöscht, bleiben überall Reste zurück. 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 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "Lösche LDAP-Benutzernamenzuordnung" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "Lösche LDAP-Gruppennamenzuordnung" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "Testkonfiguration" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Hilfe" diff --git a/l10n/de_DE/core.po b/l10n/de_DE/core.po index beccc7cb9aa..da78f8613cf 100644 --- a/l10n/de_DE/core.po +++ b/l10n/de_DE/core.po @@ -15,8 +15,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-15 09:30+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" @@ -205,23 +205,19 @@ msgstr "Vor Jahren" msgid "Choose" msgstr "Auswählen" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Abbrechen" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "Es ist ein Fehler in der Vorlage des Datei-Auswählers aufgetreten." -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Ja" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Nein" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "OK" @@ -628,14 +624,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "Hallo,

    ich wollte Sie nur wissen lassen, dass %s %s mit Ihnen teilt.
    Schauen Sie es sich an!

    Viele Grüße!" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "Zurück" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "Weiter" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/de_DE/files.po b/l10n/de_DE/files.po index fcaf5ce8f94..ee7f7f50420 100644 --- a/l10n/de_DE/files.po +++ b/l10n/de_DE/files.po @@ -15,8 +15,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" @@ -102,12 +102,12 @@ msgstr "Nicht genügend Speicherplatz verfügbar" msgid "Upload cancelled." msgstr "Upload abgebrochen." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Dateiupload läuft. Wenn Sie die Seite jetzt verlassen, wird der Upload abgebrochen." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "Die URL darf nicht leer sein." @@ -115,8 +115,8 @@ msgstr "Die URL darf nicht leer sein." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Ungültiger Ordnername. Die Verwendung von \"Shared\" ist ownCloud vorbehalten." -#: 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Fehler" @@ -192,35 +192,41 @@ msgstr "Ihr Speicher ist voll, daher können keine Dateien mehr aktualisiert ode msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "Ihr Speicher ist fast voll ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Ihr Download wird vorbereitet. Dies kann bei größeren Dateien etwas dauern." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Ungültiger Verzeichnisname. Die Nutzung von \"Shared\" ist ownCloud vorbehalten" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Name" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Größe" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Geändert" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n Ordner" msgstr[1] "%n Ordner" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n Datei" diff --git a/l10n/de_DE/files_sharing.po b/l10n/de_DE/files_sharing.po index 22a6aa0d50d..51ed893dda7 100644 --- a/l10n/de_DE/files_sharing.po +++ b/l10n/de_DE/files_sharing.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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+0000\n" "Last-Translator: Mario Siegmann \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 c702b000410..ff98de66e2b 100644 --- a/l10n/de_DE/lib.po +++ b/l10n/de_DE/lib.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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-15 09:10+0000\n" -"Last-Translator: noxin \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"Last-Translator: I Robot \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -76,10 +76,6 @@ msgid "" "administrator." msgstr "Laden Sie die Dateien in kleineren, separaten, Stücken herunter oder bitten Sie Ihren Administrator." -#: helper.php:235 -msgid "couldn't be determined" -msgstr "konnte nicht ermittelt werden" - #: json.php:28 msgid "Application is not enabled" msgstr "Die Anwendung ist nicht aktiviert" diff --git a/l10n/de_DE/settings.po b/l10n/de_DE/settings.po index 6a320fe6518..92771d1d43d 100644 --- a/l10n/de_DE/settings.po +++ b/l10n/de_DE/settings.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: Mario Siegmann \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:10+0000\n" +"Last-Translator: I Robot \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -126,7 +126,11 @@ msgstr "Es ist ein Fehler während des Updates aufgetreten" msgid "Updated" msgstr "Aktualisiert" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Speichern..." @@ -171,7 +175,7 @@ msgstr "Beim Erstellen des Benutzers ist ein Fehler aufgetreten" msgid "A valid password must be provided" msgstr "Es muss ein gültiges Passwort angegeben werden" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "Deutsch (Förmlich: Sie)" @@ -242,106 +246,106 @@ msgstr "Dieser Server hat keine funktionierende Internetverbindung. Dies bedeute msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Eine Aufgabe bei jedem Laden der Seite ausführen" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "cron.php ist als Webcron-Dienst registriert, der die cron.php minütlich per HTTP aufruft." -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "Benutzen Sie den System-Crondienst um die cron.php minütlich aufzurufen." -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Teilen" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Share-API aktivieren" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Anwendungen erlauben, die Share-API zu benutzen" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Links erlauben" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "Benutzern erlauben, Inhalte per öffentlichem Link zu teilen" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "Erlaube öffentliches hochladen" -#: templates/admin.php:152 +#: templates/admin.php:144 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:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Erlaube Weiterverteilen" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "Erlaubt Benutzern, mit ihnen geteilte Inhalte erneut zu teilen" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Erlaubt Benutzern, mit jedem zu teilen" -#: templates/admin.php:171 +#: templates/admin.php:163 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:178 +#: templates/admin.php:170 msgid "Security" msgstr "Sicherheit" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "HTTPS erzwingen" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "Zwingt die Clients, sich über eine verschlüsselte Verbindung zu %s zu verbinden." -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "Bitte verbinden Sie sich zu Ihrem %s über HTTPS um die SSL-Erzwingung zu aktivieren oder zu deaktivieren." -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Log" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Log-Level" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Mehr" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Weniger" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Version" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 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/personal.php:117 +msgid "Encryption" +msgstr "Verschlüsselung" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Loginname" diff --git a/l10n/de_DE/user_ldap.po b/l10n/de_DE/user_ldap.po index e6a37a71fc4..35746ea7ce3 100644 --- a/l10n/de_DE/user_ldap.po +++ b/l10n/de_DE/user_ldap.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" -"Last-Translator: Mario Siegmann \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"Last-Translator: I Robot \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -159,198 +159,185 @@ msgstr "Benutzer-Login-Filter" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Bestimmt den angewendeten Filter, wenn eine Anmeldung durchgeführt wird. %%uid ersetzt den Benutzernamen beim Anmeldeversuch." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "verwenden Sie %%uid Platzhalter, z. B. \"uid=%%uid\"" - -#: templates/settings.php:56 msgid "User List Filter" msgstr "Benutzer-Filter-Liste" -#: templates/settings.php:59 -msgid "Defines the filter to apply, when retrieving users." -msgstr "Definiert den Filter für die Anfrage der Benutzer." - -#: templates/settings.php:60 -msgid "without any placeholder, e.g. \"objectClass=person\"." -msgstr "ohne Platzhalter, z.B.: \"objectClass=person\"" +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "Gruppen-Filter" -#: templates/settings.php:64 -msgid "Defines the filter to apply, when retrieving groups." -msgstr "Definiert den Filter für die Anfrage der Gruppen." - -#: templates/settings.php:65 -msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "ohne Platzhalter, z.B.: \"objectClass=posixGroup\"" +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "Verbindungseinstellungen" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "Konfiguration aktiv" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "Wenn nicht angehakt, wird diese Konfiguration übersprungen." -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Port" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "Backup Host (Kopie)" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "Geben Sie einen optionalen Backup Host an. Es muss sich um eine Kopie des Haupt LDAP/AD Servers handeln." -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "Backup Port" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "Hauptserver deaktivieren" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "Nur zum Replikat-Server verbinden." -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Nutze TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "Benutzen Sie es nicht in Verbindung mit LDAPS Verbindungen, es wird fehlschlagen." -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "LDAP-Server (Windows: Groß- und Kleinschreibung bleibt unbeachtet)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Schalten Sie die SSL-Zertifikatsprüfung aus." -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "Falls die Verbindung nur mit dieser Option funktioniert, importieren Sie das SSL-Zertifikat des LDAP-Servers in Ihren %s Server." - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "Nicht empfohlen, nur zu Testzwecken." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." +msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "Speichere Time-To-Live zwischen" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "in Sekunden. Eine Änderung leert den Cache." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "Ordnereinstellungen" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "Feld für den Anzeigenamen des Benutzers" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "Das LDAP-Attribut zur Generierung des Anzeigenamens des Benutzers." -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "Basis-Benutzerbaum" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "Ein Benutzer Basis-DN pro Zeile" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "Benutzersucheigenschaften" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "Optional; ein Attribut pro Zeile" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "Feld für den Anzeigenamen der Gruppe" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "Das LDAP-Attribut zur Generierung des Anzeigenamens der Gruppen." -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "Basis-Gruppenbaum" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "Ein Gruppen Basis-DN pro Zeile" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "Gruppensucheigenschaften" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "Assoziation zwischen Gruppe und Benutzer" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "Spezielle Eigenschaften" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "Kontingent-Feld" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "Standard-Kontingent" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "in Bytes" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "E-Mail-Feld" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "Benennungsregel für das Home-Verzeichnis des Benutzers" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "Ohne Eingabe wird der Benutzername (Standard) verwendet. Anderenfalls tragen Sie bitte ein LDAP/AD-Attribut ein." -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "Interner Benutzername" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -366,15 +353,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "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 Zeichen werden mittels ihrer korrespondierenden Zeichen ersetzt oder einfach ausgelassen. Bei Kollisionen 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. Es ist auch ein Teil der 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 nur auf neu gemappte (hinzugefügte) LDAP-Benutzer auswirken." -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "Interne Eigenschaften des Benutzers:" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "UUID-Erkennung überschreiben" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -385,15 +372,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "Standardmäßig wird die UUID-Eigenschaft automatisch erkannt. Die UUID-Eigenschaft wird genutzt, um einen LDAP-Benutzer und Gruppen einwandfrei zu identifizieren. Außerdem wird der interne Benutzername erzeugt, der auf Eigenschaften der UUID basiert, wenn es oben nicht anders angegeben wurde. Sie müssen allerdings sicherstellen, dass Ihre gewählten Eigenschaften zur Identifikation der Benutzer und Gruppen eindeutig sind und zugeordnet werden können. Lassen Sie es frei, um es beim Standardverhalten zu belassen. Änderungen wirken sich nur auf neu gemappte (hinzugefügte) LDAP-Benutzer und -Gruppen aus." -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "UUID-Attribut:" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "LDAP-Benutzernamenzuordnung" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -407,18 +394,18 @@ msgid "" "experimental stage." msgstr "Die Benutzernamen werden genutzt, 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 (mappen) von Benutzernamen zum LDAP-Benutzer. Der erstellte Benutzername wird der UUID des LDAP-Benutzernamens zugeordnet. Zusätzlich wird der DN zwischengespeichert, um die Interaktion mit dem LDAP zu minimieren, was aber nicht der Identifikation dient. Ändert sich der DN, werden die Änderungen durch gefunden. Der interne Benutzername, wird in überall verwendet. Werden die Zuordnungen gelöscht, bleiben überall Reste zurück. 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 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "Lösche LDAP-Benutzernamenzuordnung" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "Lösche LDAP-Gruppennamenzuordnung" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "Testkonfiguration" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Hilfe" diff --git a/l10n/el/core.po b/l10n/el/core.po index 9ce695662a3..f44d1601846 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -148,55 +148,55 @@ msgstr "Δεκέμβριος" msgid "Settings" msgstr "Ρυθμίσεις" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "δευτερόλεπτα πριν" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "σήμερα" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "χτες" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "τελευταίο μήνα" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "μήνες πριν" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "τελευταίο χρόνο" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "χρόνια πριν" @@ -204,23 +204,19 @@ msgstr "χρόνια πριν" msgid "Choose" msgstr "Επιλέξτε" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Άκυρο" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "Σφάλμα φόρτωσης αρχείου επιλογέα προτύπου" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Ναι" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Όχι" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Οκ" @@ -627,14 +623,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "Γεια σας,

    σας ενημερώνουμε ότι ο %s διαμοιράστηκε μαζί σας το »%s«.
    Δείτε το!

    Γεια χαρά!" -#: 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." diff --git a/l10n/el/files.po b/l10n/el/files.po index e5be16beb95..33d74694271 100644 --- a/l10n/el/files.po +++ b/l10n/el/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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -96,12 +96,12 @@ msgstr "Δεν υπάρχει αρκετός διαθέσιμος χώρος" msgid "Upload cancelled." msgstr "Η αποστολή ακυρώθηκε." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Η αποστολή του αρχείου βρίσκεται σε εξέλιξη. Το κλείσιμο της σελίδας θα ακυρώσει την αποστολή." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "Η URL δεν μπορεί να είναι κενή." @@ -109,8 +109,8 @@ msgstr "Η URL δεν μπορεί να είναι κενή." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Σφάλμα" @@ -186,35 +186,41 @@ msgstr "Ο αποθηκευτικός σας χώρος είναι γεμάτο msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "Ο αποθηκευτικός χώρος είναι σχεδόν γεμάτος ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Η λήψη προετοιμάζεται. Αυτό μπορεί να πάρει ώρα εάν τα αρχεία έχουν μεγάλο μέγεθος." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Μη έγκυρο όνομα φακέλου. Η χρήση του 'Κοινόχρηστος' χρησιμοποιείται από ο Owncloud" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Όνομα" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Μέγεθος" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Τροποποιήθηκε" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/el/files_sharing.po b/l10n/el/files_sharing.po index 5fe608cdb4b..79341a41193 100644 --- a/l10n/el/files_sharing.po +++ b/l10n/el/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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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" diff --git a/l10n/el/lib.po b/l10n/el/lib.po index c98f621f36e..3fbac4a7421 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -74,10 +74,6 @@ msgid "" "administrator." msgstr "Λήψη των αρχείων σε μικρότερα κομμάτια, χωριστά ή ρωτήστε τον διαχειριστή σας." -#: helper.php:235 -msgid "couldn't be determined" -msgstr "δεν μπορούσε να προσδιορισθεί" - #: json.php:28 msgid "Application is not enabled" msgstr "Δεν ενεργοποιήθηκε η εφαρμογή" diff --git a/l10n/el/settings.po b/l10n/el/settings.po index 80d72b31abd..6ffb6735912 100644 --- a/l10n/el/settings.po +++ b/l10n/el/settings.po @@ -13,8 +13,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -126,7 +126,11 @@ msgstr "Σφάλμα κατά την ενημέρωση της εφαρμογή msgid "Updated" msgstr "Ενημερώθηκε" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Γίνεται αποθήκευση..." @@ -171,7 +175,7 @@ msgstr "Σφάλμα δημιουργίας χρήστη" msgid "A valid password must be provided" msgstr "Πρέπει να δοθεί έγκυρο συνθηματικό" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "__όνομα_γλώσσας__" @@ -242,106 +246,106 @@ msgstr "" msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Εκτέλεση μιας διεργασίας με κάθε σελίδα που φορτώνεται" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Διαμοιρασμός" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Ενεργοποίηση API Διαμοιρασμού" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Να επιτρέπεται στις εφαρμογές να χρησιμοποιούν το API Διαμοιρασμού" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Να επιτρέπονται σύνδεσμοι" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "Να επιτρέπεται στους χρήστες να διαμοιράζουν δημόσια με συνδέσμους" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Να επιτρέπεται ο επαναδιαμοιρασμός" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "Να επιτρέπεται στους χρήστες να διαμοιράζουν ότι τους έχει διαμοιραστεί" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Να επιτρέπεται ο διαμοιρασμός με οποιονδήποτε" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "Να επιτρέπεται στους χρήστες ο διαμοιρασμός μόνο με χρήστες της ίδιας ομάδας" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "Ασφάλεια" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "Επιβολή χρήσης HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Καταγραφές" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Επίπεδο καταγραφής" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Περισσότερα" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Λιγότερα" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Έκδοση" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "Χρήση αυτής της διεύθυνσης για πρόσβαση των αρχείων σας μέσω WebDAV" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Όνομα Σύνδεσης" diff --git a/l10n/el/user_ldap.po b/l10n/el/user_ldap.po index fbd59d12749..f01616c71f5 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "User Login Filter" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Καθορίζει το φίλτρο που θα ισχύει κατά την προσπάθεια σύνδεσης χρήστη. %%uid αντικαθιστά το όνομα χρήστη κατά τη σύνδεση. " +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "χρησιμοποιήστε τη μεταβλητή %%uid, π.χ. \"uid=%%uid\"" - -#: templates/settings.php:56 msgid "User List Filter" msgstr "User List Filter" -#: 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 "χωρίς κάποια μεταβλητή, π.χ. \"objectClass=άτομο\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "Group Filter" -#: 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 "χωρίς κάποια μεταβλητή, π.χ. \"objectClass=ΟμάδαPosix\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "Ρυθμίσεις Σύνδεσης" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "Ενεργοποιηση ρυθμισεων" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "Όταν δεν είναι επιλεγμένο, αυτή η ρύθμιση θα πρέπει να παραλειφθεί. " -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Θύρα" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "Δημιουργία αντιγράφων ασφαλείας (Replica) Host " -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "Δώστε μια προαιρετική εφεδρική υποδοχή. Πρέπει να είναι ένα αντίγραφο του κύριου LDAP / AD διακομιστη." -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "Δημιουργία αντιγράφων ασφαλείας (Replica) Υποδοχη" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "Απενεργοποιηση του κεντρικου διακομιστη" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Χρήση TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "Μην το χρησιμοποιήσετε επιπροσθέτως, για LDAPS συνδέσεις , θα αποτύχει." -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "LDAP server (Windows) με διάκριση πεζών-ΚΕΦΑΛΑΙΩΝ" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Απενεργοποίηση επικύρωσης πιστοποιητικού SSL." -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "Δεν προτείνεται, χρήση μόνο για δοκιμές." - -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "Cache Time-To-Live" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "σε δευτερόλεπτα. Μια αλλαγή αδειάζει την μνήμη cache." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "Ρυθμίσεις Καταλόγου" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "Πεδίο Ονόματος Χρήστη" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "Base User Tree" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "Ένα DN βάσης χρηστών ανά γραμμή" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "Χαρακτηριστικά αναζήτησης των χρηστών " -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "Προαιρετικά? Ένα χαρακτηριστικό ανά γραμμή " -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "Group Display Name Field" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "Base Group Tree" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "Μια ομαδικη Βάση DN ανά γραμμή" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "Ομάδα Χαρακτηριστικων Αναζήτηση" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "Group-Member association" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "Ειδικά Χαρακτηριστικά " -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "Ποσοσταση πεδιου" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "Προκαθισμενο πεδιο" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "σε bytes" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "Email τυπος" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "Χρήστης Προσωπικόςφάκελος Ονομασία Κανόνας " -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "Αφήστε το κενό για το όνομα χρήστη (προεπιλογή). Διαφορετικά, συμπληρώστε μία ιδιότητα LDAP/AD." -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "Δοκιμαστικες ρυθμισεις" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Βοήθεια" diff --git a/l10n/en@pirate/core.po b/l10n/en@pirate/core.po index f644607fac9..3def6859364 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -142,55 +142,55 @@ msgstr "" msgid "Settings" msgstr "" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "" @@ -198,23 +198,19 @@ msgstr "" msgid "Choose" msgstr "" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "" @@ -621,14 +617,6 @@ msgid "" "href=\"%s\">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." diff --git a/l10n/en@pirate/files.po b/l10n/en@pirate/files.po index 68fdd38747c..8d37893029d 100644 --- a/l10n/en@pirate/files.po +++ b/l10n/en@pirate/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -94,12 +94,12 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "" @@ -107,8 +107,8 @@ msgstr "" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "" @@ -184,35 +184,41 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/en@pirate/files_sharing.po b/l10n/en@pirate/files_sharing.po index 94c722fa9a3..35c76d3b04b 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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" diff --git a/l10n/en@pirate/lib.po b/l10n/en@pirate/lib.po index 69cf917ce77..bd3831f2741 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/en@pirate/settings.po b/l10n/en@pirate/settings.po index 79163dfbd84..9c6e9df5d64 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-08-04 01:55-0400\n" -"PO-Revision-Date: 2013-08-04 05:01+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "" @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/en@pirate/user_ldap.po b/l10n/en@pirate/user_ldap.po index 3f36998584c..9c7f4649db7 100644 --- a/l10n/en@pirate/user_ldap.po +++ b/l10n/en@pirate/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-08-04 01:55-0400\n" -"PO-Revision-Date: 2013-08-04 05:02+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "" diff --git a/l10n/eo/core.po b/l10n/eo/core.po index 59d39a60fd0..0ce78d871f5 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -143,55 +143,55 @@ msgstr "Decembro" msgid "Settings" msgstr "Agordo" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "sekundoj antaŭe" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "hodiaŭ" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "hieraŭ" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "lastamonate" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "monatoj antaŭe" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "lastajare" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "jaroj antaŭe" @@ -199,23 +199,19 @@ msgstr "jaroj antaŭe" msgid "Choose" msgstr "Elekti" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Nuligi" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Jes" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Ne" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Akcepti" @@ -622,14 +618,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "Saluton:

    Ni nur sciigas vin, ke %s kunhavigis “%s” kun vi.
    Vidu ĝin

    Ĝis!" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "maljena" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "jena" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/eo/files.po b/l10n/eo/files.po index 6b434ac68d5..418410ebe52 100644 --- a/l10n/eo/files.po +++ b/l10n/eo/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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -95,12 +95,12 @@ msgstr "Ne haveblas sufiĉa spaco" msgid "Upload cancelled." msgstr "La alŝuto nuliĝis." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Dosieralŝuto plenumiĝas. Lasi la paĝon nun nuligus la alŝuton." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "URL ne povas esti malplena." @@ -108,8 +108,8 @@ msgstr "URL ne povas esti malplena." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nevalida dosierujnomo. La uzo de “Shared” estas rezervita de 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Eraro" @@ -185,35 +185,41 @@ msgstr "Via memoro plenas, ne plu eblas ĝisdatigi aŭ sinkronigi dosierojn!" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "Via memoro preskaŭ plenas ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Via elŝuto pretiĝatas. Ĉi tio povas daŭri iom da tempo se la dosieroj grandas." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Nevalida dosierujnomo. Uzo de “Shared” rezervatas de Owncloud." -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Nomo" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Grando" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Modifita" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/eo/files_sharing.po b/l10n/eo/files_sharing.po index 3a0a3dd5525..215f134b838 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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 8c48d709483..45f14563ca1 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -74,10 +74,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "La aplikaĵo ne estas kapabligita" diff --git a/l10n/eo/settings.po b/l10n/eo/settings.po index be9963b2dd9..7982ef091db 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:10+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" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Konservante..." @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "Esperanto" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Kunhavigo" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Kapabligi API-on por Kunhavigo" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Kapabligi aplikaĵojn uzi la API-on pri Kunhavigo" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Kapabligi ligilojn" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "Kapabligi uzantojn kunhavigi erojn kun la publiko perligile" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Kapabligi rekunhavigon" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "Kapabligi uzantojn rekunhavigi erojn kunhavigitajn kun ili" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Kapabligi uzantojn kunhavigi kun ĉiu ajn" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "Kapabligi uzantojn nur kunhavigi kun uzantoj el siaj grupoj" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Protokolo" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Registronivelo" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Pli" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Malpli" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Eldono" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "Ĉifrado" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/eo/user_ldap.po b/l10n/eo/user_ldap.po index f91366c39c9..40492891983 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "Filtrilo de uzantensaluto" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Ĝi difinas la filtrilon aplikotan, kiam oni provas ensaluti. %%uid anstataŭigas la uzantonomon en la ensaluta ago." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "uzu la referencilon %%uid, ekz.: \"uid=%%uid\"" - -#: templates/settings.php:56 msgid "User List Filter" msgstr "Filtrilo de uzantolisto" -#: templates/settings.php:59 -msgid "Defines the filter to apply, when retrieving users." -msgstr "Ĝi difinas la filtrilon aplikotan, kiam veniĝas uzantoj." - -#: templates/settings.php:60 -msgid "without any placeholder, e.g. \"objectClass=person\"." -msgstr "sen ajna referencilo, ekz.: \"objectClass=person\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "Filtrilo de grupo" -#: templates/settings.php:64 -msgid "Defines the filter to apply, when retrieving groups." -msgstr "Ĝi difinas la filtrilon aplikotan, kiam veniĝas grupoj." - -#: templates/settings.php:65 -msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "sen ajna referencilo, ekz.: \"objectClass=posixGroup\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Pordo" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Uzi TLS-on" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "LDAP-servilo blinda je litergrandeco (Vindozo)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Malkapabligi validkontrolon de SSL-atestiloj." -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "Ne rekomendata, uzu ĝin nur por testoj." - -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "sekunde. Ajna ŝanĝo malplenigas la kaŝmemoron." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "Kampo de vidignomo de uzanto" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "Baza uzantarbo" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "Kampo de vidignomo de grupo" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "Baza gruparbo" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "Asocio de grupo kaj membro" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "duumoke" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "Lasu malplena por uzantonomo (defaŭlto). Alie, specifu LDAP/AD-atributon." -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Helpo" diff --git a/l10n/es/core.po b/l10n/es/core.po index 195bdf7047b..9baa98366d8 100644 --- a/l10n/es/core.po +++ b/l10n/es/core.po @@ -16,8 +16,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-15 13:50+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -206,23 +206,19 @@ msgstr "hace años" msgid "Choose" msgstr "Seleccionar" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Cancelar" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "Error cargando la plantilla del seleccionador de archivos" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Sí" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "No" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Aceptar" @@ -629,14 +625,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "Oye,

    sólo te hago saber que %s compartido %s contigo,
    \nMíralo!

    Disfrutalo!" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "anterior" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "siguiente" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/es/files.po b/l10n/es/files.po index 593c9f3b6b0..a05bd94c82b 100644 --- a/l10n/es/files.po +++ b/l10n/es/files.po @@ -12,8 +12,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -99,12 +99,12 @@ msgstr "No hay suficiente espacio disponible" msgid "Upload cancelled." msgstr "Subida cancelada." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "La subida del archivo está en proceso. Si sale de la página ahora cancelará la subida." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "La URL no puede estar vacía." @@ -112,8 +112,8 @@ msgstr "La URL no puede estar vacía." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nombre de carpeta invalido. 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Error" @@ -189,35 +189,41 @@ msgstr "Su almacenamiento está lleno, ¡no se pueden actualizar o sincronizar m msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "Su almacenamiento está casi lleno ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Su descarga está siendo preparada. Esto puede tardar algún tiempo si los archivos son grandes." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Nombre de carpeta no es válido. El uso de \"Shared\" está reservado por Owncloud" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Nombre" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Tamaño" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Modificado" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/es/files_sharing.po b/l10n/es/files_sharing.po index 302b80c747a..31ba6d42fae 100644 --- a/l10n/es/files_sharing.po +++ b/l10n/es/files_sharing.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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+0000\n" "Last-Translator: Art O. Pal \n" "Language-Team: Spanish (http://www.transifex.com/projects/p/owncloud/language/es/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/es/lib.po b/l10n/es/lib.po index 209038f14eb..f66d906b20d 100644 --- a/l10n/es/lib.po +++ b/l10n/es/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -75,10 +75,6 @@ msgid "" "administrator." msgstr "Descargue los archivos en trozos más pequeños, por separado o solicítelos amablemente su administrador." -#: helper.php:235 -msgid "couldn't be determined" -msgstr "no pudo ser determinado" - #: json.php:28 msgid "Application is not enabled" msgstr "La aplicación no está habilitada" diff --git a/l10n/es/settings.po b/l10n/es/settings.po index 582d3720c7a..df96cf7840f 100644 --- a/l10n/es/settings.po +++ b/l10n/es/settings.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: pablomillaquen \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:10+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" @@ -126,7 +126,11 @@ msgstr "Error mientras se actualizaba la aplicación" msgid "Updated" msgstr "Actualizado" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Guardando..." @@ -171,7 +175,7 @@ msgstr "Error al crear usuario" msgid "A valid password must be provided" msgstr "Se debe usar una contraseña valida" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "Castellano" @@ -242,106 +246,106 @@ msgstr "Este servidor no tiene una conexión a Internet. Esto significa que algu msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Ejecutar una tarea con cada página cargada" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "cron.php está registrado en un servicio WebCron para llamar cron.php una vez por minuto a través de HTTP." -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "Usar el servicio cron del sistema para llamar al archivo cron.php una vez por minuto." -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Compartiendo" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Activar API de Compartición" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Permitir a las aplicaciones utilizar la API de Compartición" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Permitir enlaces" -#: templates/admin.php:143 +#: templates/admin.php:135 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:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "Permitir subidas públicas" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "Permitir a los usuarios habilitar a otros para subir archivos en sus carpetas compartidas públicamente" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Permitir re-compartición" -#: templates/admin.php:161 +#: templates/admin.php:153 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:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Permitir a los usuarios compartir con todo el mundo" -#: templates/admin.php:171 +#: templates/admin.php:163 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:178 +#: templates/admin.php:170 msgid "Security" msgstr "Seguridad" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "Forzar HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "Forzar a los clientes a conectarse a %s por medio de una conexión encriptada." -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "Por favor, conéctese a su %s a través de HTTPS para habilitar o deshabilitar la aplicación SSL." -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Registro" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Nivel de registro" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Más" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Menos" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Versión" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 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/personal.php:117 +msgid "Encryption" +msgstr "Cifrado" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Nombre de usuario" diff --git a/l10n/es/user_ldap.po b/l10n/es/user_ldap.po index edabac064f8..a823ac15748 100644 --- a/l10n/es/user_ldap.po +++ b/l10n/es/user_ldap.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-08-13 09:11-0400\n" -"PO-Revision-Date: 2013-08-13 06:00+0000\n" -"Last-Translator: Rodrigo Rodríguez \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -158,198 +158,185 @@ msgstr "Filtro de inicio de sesión de usuario" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Define el filtro a aplicar cuando se ha realizado un login. %%uid remplazrá el nombre de usuario en el proceso de login." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "usar %%uid como comodín, ej: \"uid=%%uid\"" - -#: templates/settings.php:56 msgid "User List Filter" msgstr "Lista de filtros de usuario" -#: templates/settings.php:59 -msgid "Defines the filter to apply, when retrieving users." -msgstr "Define el filtro a aplicar, cuando se obtienen usuarios." - -#: templates/settings.php:60 -msgid "without any placeholder, e.g. \"objectClass=person\"." -msgstr "Sin comodines, ej: \"objectClass=person\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "Filtro de grupo" -#: templates/settings.php:64 -msgid "Defines the filter to apply, when retrieving groups." -msgstr "Define el filtro a aplicar, cuando se obtienen grupos." - -#: templates/settings.php:65 -msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "sin comodines, ej: \"objectClass=posixGroup\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "Configuración de conexión" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "Configuracion activa" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "Cuando deseleccione, esta configuracion sera omitida." -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Puerto" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "Servidor de copia de seguridad (Replica)" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "Dar un servidor de copia de seguridad opcional. Debe ser una réplica del servidor principal LDAP / AD." -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "Puerto para copias de seguridad (Replica)" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "Deshabilitar servidor principal" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Usar TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "No lo use para conexiones LDAPS, Fallará." -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "Servidor de LDAP no sensible a mayúsculas/minúsculas (Windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Apagar la validación por certificado SSL." -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "Si la conexión funciona sólo con esta opción, importe el certificado SSL del servidor LDAP en su servidor %s." - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "No recomendado, sólo para pruebas." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." +msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "Cache TTL" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "en segundos. Un cambio vacía la caché." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "Configuracion de directorio" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "Campo de nombre de usuario a mostrar" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "Árbol base de usuario" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "Un DN Base de Usuario por línea" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "Atributos de la busqueda de usuario" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "Opcional; un atributo por linea" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "Campo de nombre de grupo a mostrar" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "Árbol base de grupo" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "Un DN Base de Grupo por línea" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "Atributos de busqueda de grupo" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "Asociación Grupo-Miembro" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "Atributos especiales" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "Cuota" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "Cuota por defecto" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "en bytes" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "E-mail" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "Regla para la carpeta Home de usuario" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "Vacío para el nombre de usuario (por defecto). En otro caso, especifique un atributo LDAP/AD." -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "Nombre de usuario interno" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -365,15 +352,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "Atributo Nombre de usuario Interno:" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "Sobrescribir la detección UUID" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -384,15 +371,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "Atributo UUID:" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "Asignación del Nombre de usuario de un usuario LDAP" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -406,18 +393,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "Borrar la asignación de los Nombres de usuario de los usuarios LDAP" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "Borrar la asignación de los Nombres de grupo de los grupos de LDAP" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "Configuración de prueba" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Ayuda" diff --git a/l10n/es_AR/core.po b/l10n/es_AR/core.po index a64c557f8e7..4bae50605bd 100644 --- a/l10n/es_AR/core.po +++ b/l10n/es_AR/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -142,55 +142,55 @@ msgstr "diciembre" msgid "Settings" msgstr "Configuración" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "segundos atrás" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "hoy" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "ayer" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "el mes pasado" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "meses atrás" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "el año pasado" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "años atrás" @@ -198,23 +198,19 @@ msgstr "años atrás" msgid "Choose" msgstr "Elegir" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Cancelar" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "Error al cargar la plantilla del seleccionador de archivos" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Sí" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "No" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Aceptar" @@ -621,14 +617,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "Hola,

    Simplemente te informo que %s compartió %s con vos.
    Miralo acá:

    ¡Chau!" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "anterior" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "siguiente" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/es_AR/files.po b/l10n/es_AR/files.po index 46a83c8e5b6..bc891faa03c 100644 --- a/l10n/es_AR/files.po +++ b/l10n/es_AR/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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -96,12 +96,12 @@ msgstr "No hay suficiente espacio disponible" msgid "Upload cancelled." msgstr "La subida fue cancelada" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "La subida del archivo está en proceso. Si salís de la página ahora, la subida se cancelará." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "La URL no puede estar vacía" @@ -109,8 +109,8 @@ msgstr "La URL no puede estar vacía" msgid "Invalid folder name. Usage of 'Shared' is reserved by 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Error" @@ -186,35 +186,41 @@ msgstr "El almacenamiento está lleno, los archivos no se pueden seguir actualiz msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "El almacenamiento está casi lleno ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Tu descarga se está preparando. Esto puede demorar si los archivos son muy grandes." -#: js/files.js:344 +#: js/files.js:358 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" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Nombre" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Tamaño" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Modificado" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/es_AR/files_sharing.po b/l10n/es_AR/files_sharing.po index 1af48d91541..b2d33b62c59 100644 --- a/l10n/es_AR/files_sharing.po +++ b/l10n/es_AR/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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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 722cf0c4c60..b557cf5ae76 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -74,10 +74,6 @@ msgid "" "administrator." msgstr "Descargá los archivos en partes más chicas, de forma separada, o pedíselos al administrador" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "no se pudo determinar" - #: json.php:28 msgid "Application is not enabled" msgstr "La aplicación no está habilitada" diff --git a/l10n/es_AR/settings.po b/l10n/es_AR/settings.po index 38ed5cca2a4..dfc35a873c6 100644 --- a/l10n/es_AR/settings.po +++ b/l10n/es_AR/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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -122,7 +122,11 @@ msgstr "Error al actualizar App" msgid "Updated" msgstr "Actualizado" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Guardando..." @@ -167,7 +171,7 @@ msgstr "Error creando usuario" msgid "A valid password must be provided" msgstr "Debe ingresar una contraseña válida" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "Castellano (Argentina)" @@ -238,106 +242,106 @@ msgstr "" msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Ejecutá una tarea con cada pagina cargada." -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Compartiendo" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Habilitar Share API" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Permitir a las aplicaciones usar la Share API" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Permitir enlaces" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "Permitir a los usuarios compartir enlaces públicos" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "Permitir subidas públicas" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "Permitir que los usuarios autoricen a otros a subir archivos en sus directorios públicos compartidos" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Permitir Re-Compartir" -#: templates/admin.php:161 +#: templates/admin.php:153 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:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Permitir a los usuarios compartir con cualquiera." -#: templates/admin.php:171 +#: templates/admin.php:163 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:178 +#: templates/admin.php:170 msgid "Security" msgstr "Seguridad" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "Forzar HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Log" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Nivel de Log" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Más" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Menos" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Versión" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 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/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Nombre de Usuario" diff --git a/l10n/es_AR/user_ldap.po b/l10n/es_AR/user_ldap.po index 21e09ca7c37..2e1635a672f 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -155,198 +155,185 @@ msgstr "Filtro de inicio de sesión de usuario" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Define el filtro a aplicar cuando se ha realizado un login. %%uid remplazará el nombre de usuario en el proceso de inicio de sesión." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "usar %%uid como plantilla, p. ej.: \"uid=%%uid\"" - -#: templates/settings.php:56 msgid "User List Filter" msgstr "Lista de filtros de usuario" -#: templates/settings.php:59 -msgid "Defines the filter to apply, when retrieving users." -msgstr "Define el filtro a aplicar, cuando se obtienen usuarios." - -#: templates/settings.php:60 -msgid "without any placeholder, e.g. \"objectClass=person\"." -msgstr "Sin plantilla, p. ej.: \"objectClass=person\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "Filtro de grupo" -#: templates/settings.php:64 -msgid "Defines the filter to apply, when retrieving groups." -msgstr "Define el filtro a aplicar cuando se obtienen grupos." - -#: templates/settings.php:65 -msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "Sin ninguna plantilla, p. ej.: \"objectClass=posixGroup\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "Configuración de Conección" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "Configuración activa" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "Si no está seleccionada, esta configuración será omitida." -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Puerto" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "Host para copia de seguridad (réplica)" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "Dar un servidor de copia de seguridad opcional. Debe ser una réplica del servidor principal LDAP/AD." -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "Puerto para copia de seguridad (réplica)" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "Deshabilitar el Servidor Principal" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Usar TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "No usar adicionalmente para conexiones LDAPS, las mismas fallarán" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "Servidor de LDAP sensible a mayúsculas/minúsculas (Windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Desactivar la validación por certificado SSL." -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "No recomendado, sólo para pruebas." - -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "Tiempo de vida del caché" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "en segundos. Cambiarlo vacía la cache." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "Configuración de Directorio" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "Campo de nombre de usuario a mostrar" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "Árbol base de usuario" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "Una DN base de usuario por línea" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "Atributos de la búsqueda de usuario" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "Opcional; un atributo por linea" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "Campo de nombre de grupo a mostrar" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "Árbol base de grupo" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "Una DN base de grupo por línea" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "Atributos de búsqueda de grupo" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "Asociación Grupo-Miembro" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "Atributos Especiales" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "Campo de cuota" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "Cuota por defecto" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "en bytes" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "Campo de e-mail" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "Regla de nombre de los directorios de usuario" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "Vacío para el nombre de usuario (por defecto). En otro caso, especificá un atributo LDAP/AD." -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "Nombre interno de usuario" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -362,15 +349,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "Atributo Nombre Interno de usuario:" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "Sobrescribir la detección UUID" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -381,15 +368,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "Atributo UUID:" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "Asignación del Nombre de usuario de un usuario LDAP" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -403,18 +390,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "Borrar la asignación de los Nombres de usuario de los usuarios LDAP" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "Borrar la asignación de los Nombres de grupo de los grupos de LDAP" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "Probar configuración" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Ayuda" diff --git a/l10n/et_EE/core.po b/l10n/et_EE/core.po index 089c7847e96..9c79babae64 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -143,55 +143,55 @@ msgstr "Detsember" msgid "Settings" msgstr "Seaded" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "sekundit tagasi" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "täna" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "eile" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "viimasel kuul" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "kuu tagasi" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "viimasel aastal" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "aastat tagasi" @@ -199,23 +199,19 @@ msgstr "aastat tagasi" msgid "Choose" msgstr "Vali" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Loobu" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "Viga failivalija malli laadimisel" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Jah" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Ei" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Ok" @@ -622,14 +618,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "Hei,

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

    Tervitades!" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "eelm" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "järgm" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/et_EE/files.po b/l10n/et_EE/files.po index 06ecbbff1c1..66b8fc1c9b9 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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -96,12 +96,12 @@ msgstr "Pole piisavalt ruumi" msgid "Upload cancelled." msgstr "Üleslaadimine tühistati." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Faili üleslaadimine on töös. Lehelt lahkumine katkestab selle üleslaadimise." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "URL ei saa olla tühi." @@ -109,8 +109,8 @@ msgstr "URL ei saa olla tühi." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Vigane kausta nimi. 'Shared' kasutamine on reserveeritud ownCloud poolt." -#: 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Viga" @@ -186,35 +186,41 @@ msgstr "Sinu andmemaht on täis! Faile ei uuendata ega sünkroniseerita!" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "Su andmemaht on peaaegu täis ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Valmistatakse allalaadimist. See võib võtta veidi aega, kui on tegu suurte failidega. " -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Vigane kataloogi nimi. 'Shared' kasutamine on reserveeritud ownCloud poolt." -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Nimi" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Suurus" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Muudetud" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/et_EE/files_sharing.po b/l10n/et_EE/files_sharing.po index f45b12c52bb..557d32037ad 100644 --- a/l10n/et_EE/files_sharing.po +++ b/l10n/et_EE/files_sharing.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-08-13 09:11-0400\n" -"PO-Revision-Date: 2013-08-12 10:50+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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/lib.po b/l10n/et_EE/lib.po index a0fadcd8fea..f221eab3754 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -75,10 +75,6 @@ msgid "" "administrator." msgstr "Laadi failid alla eraldi väiksemate osadena või küsi nõu oma süsteemiadminstraatorilt." -#: helper.php:235 -msgid "couldn't be determined" -msgstr "ei suudetud tuvastada" - #: json.php:28 msgid "Application is not enabled" msgstr "Rakendus pole sisse lülitatud" diff --git a/l10n/et_EE/settings.po b/l10n/et_EE/settings.po index 4dc6df1749c..c5788bef801 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: pisike.sipelgas \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:10+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -122,7 +122,11 @@ msgstr "Viga rakenduse uuendamisel" msgid "Updated" msgstr "Uuendatud" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Salvestamine..." @@ -167,7 +171,7 @@ msgstr "Viga kasutaja loomisel" msgid "A valid password must be provided" msgstr "Sisesta nõuetele vastav parool" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "Eesti" @@ -238,106 +242,106 @@ msgstr "Serveril puudub toimiv internetiühendus. See tähendab, et mõned funkt msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Käivita toiming lehe laadimisel" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "cron.php on registreeritud webcron teenusena laadimaks cron.php iga minut üle http." -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "Kasuta süsteemi cron teenust käivitamaks faili cron.php kord minutis." -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Jagamine" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Luba Share API" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Luba rakendustel kasutada Share API-t" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Luba lingid" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "Luba kasutajatel jagada kirjeid avalike linkidega" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "Luba avalikud üleslaadimised" -#: templates/admin.php:152 +#: templates/admin.php:144 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:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Luba edasijagamine" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "Luba kasutajatel jagada edasi kirjeid, mida on neile jagatud" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Luba kasutajatel kõigiga jagada" -#: templates/admin.php:171 +#: templates/admin.php:163 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:178 +#: templates/admin.php:170 msgid "Security" msgstr "Turvalisus" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "Sunni peale HTTPS-i kasutamine" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "Sunnib kliente %s ühenduma krüpteeritult." -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "Palun ühendu oma %s üle HTTPS või keela SSL kasutamine." -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Logi" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Logi tase" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Rohkem" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Vähem" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Versioon" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "Kasuta seda aadressi oma failidele ligipääsuks WebDAV kaudu" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "Krüpteerimine" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Kasutajanimi" diff --git a/l10n/et_EE/user_ldap.po b/l10n/et_EE/user_ldap.po index 429359f138b..d9f36fdaccb 100644 --- a/l10n/et_EE/user_ldap.po +++ b/l10n/et_EE/user_ldap.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-08-13 09:11-0400\n" -"PO-Revision-Date: 2013-08-12 11:00+0000\n" -"Last-Translator: pisike.sipelgas \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -156,198 +156,185 @@ msgstr "Kasutajanime filter" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Määrab sisselogimisel kasutatava filtri. %%uid asendab sisselogimistegevuses kasutajanime." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "kasuta %%uid kohatäitjat, nt. \"uid=%%uid\"" - -#: templates/settings.php:56 msgid "User List Filter" msgstr "Kasutajate nimekirja filter" -#: templates/settings.php:59 -msgid "Defines the filter to apply, when retrieving users." -msgstr "Määrab kasutajaid hankides filtri, mida rakendatakse." - -#: templates/settings.php:60 -msgid "without any placeholder, e.g. \"objectClass=person\"." -msgstr "ilma ühegi kohatäitjata, nt. \"objectClass=person\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "Grupi filter" -#: templates/settings.php:64 -msgid "Defines the filter to apply, when retrieving groups." -msgstr "Määrab gruppe hankides filtri, mida rakendatakse." - -#: templates/settings.php:65 -msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "ilma ühegi kohatäitjata, nt. \"objectClass=posixGroup\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "Ühenduse seaded" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "Seadistus aktiivne" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "Kui märkimata, siis seadistust ei kasutata" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Port" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "Varuserver" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "Lisa täiendav LDAP/AD server, mida replikeeritakse peaserveriga." -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "Varuserveri (replika) port" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "Ära kasuta peaserverit" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "Ühendu ainult replitseeriva serveriga." -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Kasuta TLS-i" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "LDAPS puhul ära kasuta. Ühendus ei toimi." -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "Mittetõstutundlik LDAP server (Windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Lülita SSL sertifikaadi kontrollimine välja." -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "Kui ühendus toimib ainult selle valikuga, siis impordi LDAP serveri SSL sertifikaat oma %s serverisse." - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "Pole soovitatav, kasuta ainult testimiseks." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." +msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "Puhvri iga" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "sekundites. Muudatus tühjendab vahemälu." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "Kataloogi seaded" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "Kasutaja näidatava nime väli" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "LDAP atribuut, mida kasutatakse kasutaja kuvatava nime loomiseks." -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "Baaskasutaja puu" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "Üks kasutajate baas-DN rea kohta" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "Kasutaja otsingu atribuudid" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "Valikuline; üks atribuut rea kohta" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "Grupi näidatava nime väli" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "LDAP atribuut, mida kasutatakse ownCloudi grupi kuvatava nime loomiseks." -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "Baasgrupi puu" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "Üks grupi baas-DN rea kohta" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "Grupi otsingu atribuudid" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "Grupiliikme seotus" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "Spetsiifilised atribuudid" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "Mahupiirangu atribuut" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "Vaikimisi mahupiirang" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "baitides" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "Email atribuut" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "Kasutaja kodukataloogi nimetamise reegel" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "Kasutajanime (vaikeväärtus) kasutamiseks jäta tühjaks. Vastasel juhul määra LDAP/AD omadus." -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "Sisemine kasutajanimi" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -363,15 +350,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "Vaikimisi tekitatakse sisemine kasutajanimi UUID atribuudist. See tagab, et kasutajanimi on unikaalne ja sümboleid pole vaja muuta. Sisemisel kasutajatunnuse puhul on lubatud ainult järgmised sümbolid: [ a-zA-Z0-9_.@- ]. Muud sümbolid asendatakse nende ASCII vastega või lihtsalt hüljatakse. Tõrgete korral lisatakse number või suurendatakse seda. Sisemist kasutajatunnust kasutatakse kasutaja sisemiseks tuvastamiseks. Ühtlasi on see ownCloudis kasutaja vaikimisi kodukataloogi nimeks. See on ka serveri URLi osaks, näiteks kõikidel *DAV teenustel. Selle seadistusega saab tühistada vaikimisi käitumise. Saavutamaks sarnast käitumist eelnevate ownCloud 5 versioonidega, sisesta kasutaja kuvatava nime atribuut järgnevale väljale. Vaikimisi seadistuseks jäta tühjaks. Muudatused mõjutavad ainult uusi (lisatud) LDAP kasutajate vastendusi." -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "Sisemise kasutajatunnuse atribuut:" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "Tühista UUID tuvastus" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -382,15 +369,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "Vaikimis ownCloud tuvastab automaatselt UUID atribuudi. UUID atribuuti kasutatakse LDAP kasutajate ja gruppide kindlaks tuvastamiseks. Samuti tekitatakse sisemine kasutajanimi UUID alusel, kui pole määratud teisiti. Sa saad tühistada selle seadistuse ning määrata atribuudi omal valikul. Pead veenduma, et valitud atribuut toimib nii kasutajate kui gruppide puhul ning on unikaalne. Vaikimisi seadistuseks jäta tühjaks. Muudatused mõjutavad ainult uusi (lisatud) LDAP kasutajate vastendusi." -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "UUID atribuut:" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "LDAP-Kasutajatunnus Kasutaja Vastendus" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -404,18 +391,18 @@ msgid "" "experimental stage." msgstr "ownCloud kasutab kasutajanime talletamaks ja omistamaks (pseudo) andmeid. Et täpselt tuvastada ja määratleda kasutajaid, peab iga LDAP kasutaja omama sisemist kasutajatunnust. See vajab ownCloud kasutajatunnuse vastendust LDAP kasutajaks. Tekitatud kasutajanimi vastendatakse LDAP kasutaja UUID-iks. Lisaks puhverdatakse DN vähendamaks LDAP päringuid, kuid seda ei kasutata tuvastamisel. ownCloud suudab tuvastada ka DN muutumise. ownCloud sisemist kasutajatunnust kasutatakse üle kogu ownCloudi. Eemaldates vastenduse tekivad kõikjal andmejäägid. Vastenduste eemaldamine ei ole konfiguratsiooni tundlik, see mõjutab kõiki LDAP seadistusi! Ära kunagi eemalda vastendusi produktsioonis! Seda võid teha ainult testis või katsetuste masinas." -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "Puhasta LDAP-Kasutajatunnus Kasutaja Vastendus" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "Puhasta LDAP-Grupinimi Grupp Vastendus" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "Testi seadistust" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Abiinfo" diff --git a/l10n/eu/core.po b/l10n/eu/core.po index b732596c727..ffc6f231bfc 100644 --- a/l10n/eu/core.po +++ b/l10n/eu/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -143,55 +143,55 @@ msgstr "Abendua" msgid "Settings" msgstr "Ezarpenak" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "segundu" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "gaur" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "atzo" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "joan den hilabetean" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "hilabete" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "joan den urtean" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "urte" @@ -199,23 +199,19 @@ msgstr "urte" msgid "Choose" msgstr "Aukeratu" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Ezeztatu" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "Errorea fitxategi hautatzaile txantiloiak kargatzerakoan" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Bai" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Ez" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Ados" @@ -622,14 +618,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "Kaixo

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

    Ongi jarraitu!" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "aurrekoa" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "hurrengoa" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/eu/files.po b/l10n/eu/files.po index 9c3c84c8910..ac39bb91058 100644 --- a/l10n/eu/files.po +++ b/l10n/eu/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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -95,12 +95,12 @@ msgstr "Ez dago leku nahikorik." msgid "Upload cancelled." msgstr "Igoera ezeztatuta" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Fitxategien igoera martxan da. Orria orain uzteak igoera ezeztatutko du." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "URLa ezin da hutsik egon." @@ -108,8 +108,8 @@ msgstr "URLa ezin da hutsik egon." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Errorea" @@ -185,35 +185,41 @@ msgstr "Zure biltegiratzea beterik dago, ezingo duzu aurrerantzean fitxategirik msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "Zure biltegiratzea nahiko beterik dago (%{usedSpacePercent})" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Zure deskarga prestatu egin behar da. Denbora bat har lezake fitxategiak handiak badira. " -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Baliogabeako karpeta izena. 'Shared' izena Owncloudek erreserbatzen du" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Izena" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Tamaina" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Aldatuta" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/eu/files_sharing.po b/l10n/eu/files_sharing.po index 81b2f6c18a9..e633bd97d7a 100644 --- a/l10n/eu/files_sharing.po +++ b/l10n/eu/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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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 99b8dd00c28..2aa6a48b61e 100644 --- a/l10n/eu/lib.po +++ b/l10n/eu/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -75,10 +75,6 @@ msgid "" "administrator." msgstr "Deskargatu fitzategiak zati txikiagoetan, banan-banan edo eskatu mesedez zure administradoreari" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "ezin izan da zehaztu" - #: json.php:28 msgid "Application is not enabled" msgstr "Aplikazioa ez dago gaituta" diff --git a/l10n/eu/settings.po b/l10n/eu/settings.po index 561de1b7d88..b30c31bea95 100644 --- a/l10n/eu/settings.po +++ b/l10n/eu/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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: asieriko \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:10+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" @@ -122,7 +122,11 @@ msgstr "Errorea aplikazioa eguneratzen zen bitartean" msgid "Updated" msgstr "Eguneratuta" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Gordetzen..." @@ -167,7 +171,7 @@ msgstr "Errore bat egon da erabiltzailea sortzean" msgid "A valid password must be provided" msgstr "Baliozko pasahitza eman behar da" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "Euskera" @@ -238,106 +242,106 @@ msgstr "" msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Exekutatu zeregin bat orri karga bakoitzean" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "cron.php webcron zerbitzu batean erregistratua dago cron.php minuturo http bidez deitzeko." -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "Erabili sistemaren cron zerbitzua cron.php fitxategia minuturo deitzeko." -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Partekatzea" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Gaitu Elkarbanatze APIa" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Baimendu aplikazioak Elkarbanatze APIa erabiltzeko" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Baimendu loturak" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "Baimendu erabiltzaileak loturen bidez fitxategiak publikoki elkarbanatzen" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "Baimendu igoera publikoak" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "Baimendu erabiltzaileak besteak bere partekatutako karpetetan fitxategiak igotzea" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Baimendu birpartekatzea" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "Baimendu erabiltzaileak haiekin elkarbanatutako fitxategiak berriz ere elkarbanatzen" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Baimendu erabiltzaileak edonorekin elkarbanatzen" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "Baimendu erabiltzaileak bakarrik bere taldeko erabiltzaileekin elkarbanatzen" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "Segurtasuna" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "Behartu HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "Bezeroak %s-ra konexio enkriptatu baten bidez konektatzera behartzen ditu." -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "Mesedez konektatu zure %s-ra HTTPS bidez SSL zehaztapenak aldatzeko." -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Egunkaria" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Erregistro maila" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Gehiago" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Gutxiago" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Bertsioa" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "helbidea erabili zure fitxategiak WebDAV bidez eskuratzeko" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "Enkriptazioa" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Sarrera Izena" diff --git a/l10n/eu/user_ldap.po b/l10n/eu/user_ldap.po index 38995d27908..e9c2fb101c7 100644 --- a/l10n/eu/user_ldap.po +++ b/l10n/eu/user_ldap.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" -"Last-Translator: asieriko \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -155,198 +155,185 @@ msgstr "Erabiltzaileen saioa hasteko iragazkia" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Saioa hastean erabiliko den iragazkia zehazten du. %%uid-ek erabiltzaile izena ordezkatzen du saioa hasterakoan." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "erabili %%uid txantiloia, adb. \"uid=%%uid\"" - -#: templates/settings.php:56 msgid "User List Filter" msgstr "Erabiltzaile zerrendaren Iragazkia" -#: templates/settings.php:59 -msgid "Defines the filter to apply, when retrieving users." -msgstr "Erabiltzaileak jasotzen direnean ezarriko den iragazkia zehazten du." - -#: templates/settings.php:60 -msgid "without any placeholder, e.g. \"objectClass=person\"." -msgstr "txantiloirik gabe, adb. \"objectClass=person\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "Taldeen iragazkia" -#: templates/settings.php:64 -msgid "Defines the filter to apply, when retrieving groups." -msgstr "Taldeak jasotzen direnean ezarriko den iragazkia zehazten du." - -#: templates/settings.php:65 -msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "txantiloirik gabe, adb. \"objectClass=posixGroup\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "Konexio Ezarpenak" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "Konfigurazio Aktiboa" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "Markatuta ez dagoenean, konfigurazio hau ez da kontutan hartuko." -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Portua" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "Babeskopia (Replica) Ostalaria" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "Eman babeskopia ostalari gehigarri bat. LDAP/AD zerbitzari nagusiaren replica bat izan behar da." -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "Babeskopia (Replica) Ataka" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "Desgaitu Zerbitzari Nagusia" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Erabili TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "Ez erabili LDAPS konexioetarako, huts egingo du." -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "Maiuskulak eta minuskulak ezberditzen ez dituen LDAP zerbitzaria (windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Ezgaitu SSL ziurtagirien egiaztapena." -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "Ez da aholkatzen, erabili bakarrik frogak egiteko." - -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "Katxearen Bizi-Iraupena" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "segundutan. Aldaketak katxea husten du." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "Karpetaren Ezarpenak" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "Erabiltzaileen bistaratzeko izena duen eremua" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "Oinarrizko Erabiltzaile Zuhaitza" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "Erabiltzaile DN Oinarri bat lerroko" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "Erabili Bilaketa Atributuak " -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "Aukerakoa; atributu bat lerro bakoitzeko" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "Taldeen bistaratzeko izena duen eremua" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "Oinarrizko Talde Zuhaitza" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "Talde DN Oinarri bat lerroko" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "Taldekatu Bilaketa Atributuak " -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "Talde-Kide elkarketak" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "Atributu Bereziak" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "Kuota Eremua" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "Kuota Lehenetsia" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "bytetan" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "Eposta eremua" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "Erabiltzailearen Karpeta Nagusia Izendatzeko Patroia" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "Utzi hutsik erabiltzaile izenarako (lehentsia). Bestela zehaztu LDAP/AD atributua." -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "Barneko erabiltzaile izena" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -362,15 +349,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -381,15 +368,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -403,18 +390,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "Egiaztatu Konfigurazioa" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Laguntza" diff --git a/l10n/fa/core.po b/l10n/fa/core.po index 13245335540..1075ec5c3e9 100644 --- a/l10n/fa/core.po +++ b/l10n/fa/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -142,51 +142,51 @@ msgstr "دسامبر" msgid "Settings" msgstr "تنظیمات" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "ثانیه‌ها پیش" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "امروز" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "دیروز" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "ماه قبل" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "ماه‌های قبل" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "سال قبل" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "سال‌های قبل" @@ -194,23 +194,19 @@ msgstr "سال‌های قبل" msgid "Choose" msgstr "انتخاب کردن" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "منصرف شدن" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "خطا در بارگذاری قالب انتخاب کننده فایل" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "بله" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "نه" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "قبول" @@ -617,14 +613,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "اینجا

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

    به سلامتی!" -#: 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." diff --git a/l10n/fa/files.po b/l10n/fa/files.po index 6e40c2131b1..a5fd2a7adb4 100644 --- a/l10n/fa/files.po +++ b/l10n/fa/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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -95,12 +95,12 @@ msgstr "فضای کافی در دسترس نیست" msgid "Upload cancelled." msgstr "بار گذاری لغو شد" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "آپلودکردن پرونده در حال پیشرفت است. در صورت خروج از صفحه آپلود لغو میگردد. " -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "URL نمی تواند خالی باشد." @@ -108,8 +108,8 @@ msgstr "URL نمی تواند خالی باشد." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "خطا" @@ -184,34 +184,40 @@ msgstr "فضای ذخیره ی شما کاملا پر است، بیش از ای msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "فضای ذخیره ی شما تقریبا پر است ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "دانلود شما در حال آماده شدن است. در صورتیکه پرونده ها بزرگ باشند ممکن است مدتی طول بکشد." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "نام پوشه نامعتبر است. استفاده از \" به اشتراک گذاشته شده \" متعلق به سایت Owncloud است." -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "نام" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "اندازه" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "تاریخ" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/fa/files_sharing.po b/l10n/fa/files_sharing.po index a39839bae35..84ebd4737a2 100644 --- a/l10n/fa/files_sharing.po +++ b/l10n/fa/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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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/lib.po b/l10n/fa/lib.po index 86524be032e..94d2683d00d 100644 --- a/l10n/fa/lib.po +++ b/l10n/fa/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -74,10 +74,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "نمیتواند مشخص شود" - #: json.php:28 msgid "Application is not enabled" msgstr "برنامه فعال نشده است" diff --git a/l10n/fa/settings.po b/l10n/fa/settings.po index c30c709618f..07f1c49472b 100644 --- a/l10n/fa/settings.po +++ b/l10n/fa/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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:10+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" @@ -121,7 +121,11 @@ msgstr "خطا در هنگام بهنگام سازی برنامه" msgid "Updated" msgstr "بروز رسانی انجام شد" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "در حال ذخیره سازی..." @@ -166,7 +170,7 @@ msgstr "خطا در ایجاد کاربر" msgid "A valid password must be provided" msgstr "رمز عبور صحیح باید وارد شود" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "__language_name__" @@ -237,106 +241,106 @@ msgstr "" msgid "Cron" msgstr "زمانبند" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "اجرای یک وظیفه با هر بار بارگذاری صفحه" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "اشتراک گذاری" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "فعال کردن API اشتراک گذاری" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "اجازه ی برنامه ها برای استفاده از API اشتراک گذاری" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "اجازه ی لینک ها" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "اجازه دادن به کاربران برای اشتراک گذاری آیتم ها با عموم از طریق پیوند ها" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "مجوز اشتراک گذاری مجدد" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "اجازه به کاربران برای اشتراک گذاری دوباره با آنها" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "اجازه به کابران برای اشتراک گذاری با همه" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "اجازه به کاربران برای اشتراک گذاری ، تنها با دیگر کابران گروه خودشان" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "امنیت" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "وادار کردن HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "کارنامه" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "سطح ورود" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "بیش‌تر" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "کم‌تر" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "نسخه" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "استفاده ابن آدرس برای دسترسی فایل های شما از طریق WebDAV " +#: templates/personal.php:117 +msgid "Encryption" +msgstr "رمزگذاری" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "نام کاربری" diff --git a/l10n/fa/user_ldap.po b/l10n/fa/user_ldap.po index 1a547f66dd7..dabbd41a9ce 100644 --- a/l10n/fa/user_ldap.po +++ b/l10n/fa/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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -155,198 +155,185 @@ msgstr "فیلتر ورودی کاربر" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "فیلتر گروه" -#: templates/settings.php:64 -msgid "Defines the filter to apply, when retrieving groups." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:65 -msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "بدون هیچ گونه حفره یا سوراخ، به عنوان مثال، \"objectClass = posixGroup\"." - -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "تنظیمات اتصال" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "پیکربندی فعال" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "زمانیکه انتخاب نشود، این پیکربندی نادیده گرفته خواهد شد." -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "درگاه" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "پشتیبان گیری (بدل) میزبان" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "پشتیبان گیری (بدل) پورت" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "غیر فعال کردن سرور اصلی" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "استفاده ازTLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "علاوه بر این برای اتصالات LDAPS از آن استفاده نکنید، با شکست مواجه خواهد شد." -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "غیر حساس به بزرگی و کوچکی حروف LDAP سرور (ویندوز)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "غیرفعال کردن اعتبار گواهی نامه SSL ." -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "توصیه نمی شود، تنها برای آزمایش استفاده کنید." - -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "تنظیمات پوشه" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "فیلد نام کاربر" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "کاربر درخت پایه" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "یک کاربر پایه DN در هر خط" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "ویژگی های جستجوی کاربر" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "اختیاری؛ یک ویژگی در هر خط" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "فیلد نام گروه" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "گروه درخت پایه " -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "یک گروه پایه DN در هر خط" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "گروه صفات جستجو" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "انجمن گروه کاربران" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "ویژگی های مخصوص" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "سهمیه بندی انجام نشد." -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "سهمیه بندی پیش فرض" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "در بایت" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "ایمیل ارسال نشد." -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "قانون نامگذاری پوشه خانه کاربر" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "خالی گذاشتن برای نام کاربری (پیش فرض). در غیر این صورت، تعیین یک ویژگی LDAP/AD." -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "نام کاربری داخلی" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -362,15 +349,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "ویژگی نام کاربری داخلی:" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "نادیده گرفتن تشخیص UUID " -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -381,15 +368,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "صفت UUID:" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "نام کاربری - نگاشت کاربر LDAP " -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -403,18 +390,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "پاک کردن نام کاربری- LDAP نگاشت کاربر " -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "پاک کردن نام گروه -LDAP گروه نقشه برداری" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "امتحان پیکربندی" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "راه‌نما" diff --git a/l10n/fi_FI/core.po b/l10n/fi_FI/core.po index 8a0396f34e6..9ca82320bcc 100644 --- a/l10n/fi_FI/core.po +++ b/l10n/fi_FI/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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-15 09:10+0000\n" -"Last-Translator: Jiri Grönroos \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -198,23 +198,19 @@ msgstr "vuotta sitten" msgid "Choose" msgstr "Valitse" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Peru" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Kyllä" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Ei" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Ok" @@ -621,14 +617,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "Hei!

    %s jakoi kohteen »%s« kanssasi.
    Katso se tästä!

    Näkemiin!" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "edellinen" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "seuraava" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/fi_FI/files.po b/l10n/fi_FI/files.po index 7c17c30cb9e..dcf22e09ae1 100644 --- a/l10n/fi_FI/files.po +++ b/l10n/fi_FI/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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -95,12 +95,12 @@ msgstr "Tilaa ei ole riittävästi" msgid "Upload cancelled." msgstr "Lähetys peruttu." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Tiedoston lähetys on meneillään. Sivulta poistuminen nyt peruu tiedoston lähetyksen." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "Verkko-osoite ei voi olla tyhjä" @@ -108,8 +108,8 @@ msgstr "Verkko-osoite ei voi olla tyhjä" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Virhe" @@ -185,35 +185,41 @@ msgstr "Tallennustila on loppu, tiedostoja ei voi enää päivittää tai synkro msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "Tallennustila on melkein loppu ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Lataustasi valmistellaan. Tämä saattaa kestää hetken, jos tiedostot ovat suuria kooltaan." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Nimi" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Koko" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Muokattu" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n kansio" msgstr[1] "%n kansiota" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n tiedosto" diff --git a/l10n/fi_FI/files_sharing.po b/l10n/fi_FI/files_sharing.po index 6194c089988..fd6c9d78d87 100644 --- a/l10n/fi_FI/files_sharing.po +++ b/l10n/fi_FI/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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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" diff --git a/l10n/fi_FI/lib.po b/l10n/fi_FI/lib.po index c6d87b9c59e..9a990b0377b 100644 --- a/l10n/fi_FI/lib.po +++ b/l10n/fi_FI/lib.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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-15 09:10+0000\n" -"Last-Translator: Jiri Grönroos \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -74,10 +74,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "ei voitu määrittää" - #: json.php:28 msgid "Application is not enabled" msgstr "Sovellusta ei ole otettu käyttöön" diff --git a/l10n/fi_FI/settings.po b/l10n/fi_FI/settings.po index 4281890e9da..1b8127f5e66 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:10+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" @@ -121,7 +121,11 @@ msgstr "Virhe sovellusta päivittäessä" msgid "Updated" msgstr "Päivitetty" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Tallennetaan..." @@ -166,7 +170,7 @@ msgstr "Virhe käyttäjää luotaessa" msgid "A valid password must be provided" msgstr "Anna kelvollinen salasana" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "_kielen_nimi_" @@ -237,106 +241,106 @@ msgstr "" msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Jakaminen" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Käytä jakamisen ohjelmointirajapintaa" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Salli sovellusten käyttää jakamisen ohjelmointirajapintaa" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Salli linkit" -#: templates/admin.php:143 +#: templates/admin.php:135 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:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Salli uudelleenjakaminen" -#: templates/admin.php:161 +#: templates/admin.php:153 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:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Salli käyttäjien jakaa kenen tahansa kanssa" -#: templates/admin.php:171 +#: templates/admin.php:163 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:178 +#: templates/admin.php:170 msgid "Security" msgstr "Tietoturva" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "Pakota HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Loki" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Lokitaso" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Enemmän" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Vähemmän" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Versio" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 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/personal.php:117 +msgid "Encryption" +msgstr "Salaus" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Kirjautumisnimi" diff --git a/l10n/fi_FI/user_ldap.po b/l10n/fi_FI/user_ldap.po index a935ca4f827..394517b9292 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "Login suodatus" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Määrittelee käytettävän suodattimen, kun sisäänkirjautumista yritetään. %%uid korvaa sisäänkirjautumisessa käyttäjätunnuksen." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "käytä %%uid paikanvaraajaa, ts. \"uid=%%uid\"" - -#: templates/settings.php:56 msgid "User List Filter" msgstr "Käyttäjien suodatus" -#: templates/settings.php:59 -msgid "Defines the filter to apply, when retrieving users." -msgstr "Määrittelee käytettävän suodattimen, kun käyttäjiä haetaan. " - -#: templates/settings.php:60 -msgid "without any placeholder, e.g. \"objectClass=person\"." -msgstr "ilman paikanvaraustermiä, ts. \"objectClass=person\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "Ryhmien suodatus" -#: templates/settings.php:64 -msgid "Defines the filter to apply, when retrieving groups." -msgstr "Määrittelee käytettävän suodattimen, kun ryhmiä haetaan. " - -#: templates/settings.php:65 -msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "ilman paikanvaraustermiä, ts. \"objectClass=posixGroup\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "Yhteysasetukset" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Portti" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "Poista pääpalvelin käytöstä" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Käytä TLS:ää" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "Kirjainkoosta piittamaton LDAP-palvelin (Windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Poista käytöstä SSL-varmenteen vahvistus" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "Ei suositella, käytä vain testausta varten." - -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "sekunneissa. Muutos tyhjentää välimuistin." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "Hakemistoasetukset" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "Käyttäjän näytettävän nimen kenttä" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "Oletuskäyttäjäpuu" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "Ryhmän \"näytettävä nimi\"-kenttä" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "Ryhmien juuri" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "Ryhmän ja jäsenen assosiaatio (yhteys)" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "tavuissa" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "Sähköpostikenttä" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "Jätä tyhjäksi käyttäjänimi (oletusasetus). Muutoin anna LDAP/AD-atribuutti." -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Ohje" diff --git a/l10n/fr/core.po b/l10n/fr/core.po index 8246c9644de..b5e48526b0a 100644 --- a/l10n/fr/core.po +++ b/l10n/fr/core.po @@ -12,8 +12,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -146,55 +146,55 @@ msgstr "décembre" msgid "Settings" msgstr "Paramètres" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "il y a quelques secondes" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "aujourd'hui" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "hier" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "le mois dernier" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "il y a plusieurs mois" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "l'année dernière" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "il y a plusieurs années" @@ -202,23 +202,19 @@ msgstr "il y a plusieurs années" msgid "Choose" msgstr "Choisir" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Annuler" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "Erreur de chargement du modèle du sélecteur de fichier" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Oui" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Non" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Ok" @@ -625,14 +621,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "Salut,

    je veux juste vous signaler %s partagé »%s« avec vous.
    Voyez-le!

    Bonne continuation!" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "précédent" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "suivant" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/fr/files.po b/l10n/fr/files.po index b13ec6d53c3..175956137dc 100644 --- a/l10n/fr/files.po +++ b/l10n/fr/files.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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -97,12 +97,12 @@ msgstr "Espace disponible insuffisant" msgid "Upload cancelled." msgstr "Envoi annulé." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "L'envoi du fichier est en cours. Quitter cette page maintenant annulera l'envoi du fichier." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "L'URL ne peut-être vide" @@ -110,8 +110,8 @@ msgstr "L'URL ne peut-être vide" msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nom de dossier invalide. L'utilisation du mot 'Shared' est réservée à 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Erreur" @@ -187,35 +187,41 @@ msgstr "Votre espage de stockage est plein, les fichiers ne peuvent plus être t msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "Votre espace de stockage est presque plein ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Votre téléchargement est cours de préparation. Ceci peut nécessiter un certain temps si les fichiers sont volumineux." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Nom de dossier invalide. L'utilisation du mot 'Shared' est réservée à Owncloud" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Nom" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Taille" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Modifié" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/fr/files_sharing.po b/l10n/fr/files_sharing.po index 67c79c9ec35..c6eae4ea599 100644 --- a/l10n/fr/files_sharing.po +++ b/l10n/fr/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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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 0658f16d435..1c17ec9eeaa 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -74,10 +74,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "impossible à déterminer" - #: json.php:28 msgid "Application is not enabled" msgstr "L'application n'est pas activée" diff --git a/l10n/fr/settings.po b/l10n/fr/settings.po index 168a33c9ec9..a237f608976 100644 --- a/l10n/fr/settings.po +++ b/l10n/fr/settings.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:10+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" @@ -124,7 +124,11 @@ msgstr "Erreur lors de la mise à jour de l'application" msgid "Updated" msgstr "Mise à jour effectuée avec succès" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Enregistrement..." @@ -169,7 +173,7 @@ msgstr "Erreur lors de la création de l'utilisateur" msgid "A valid password must be provided" msgstr "Un mot de passe valide doit être saisi" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "Français" @@ -240,106 +244,106 @@ msgstr "" msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Exécute une tâche à chaque chargement de page" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Partage" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Activer l'API de partage" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Autoriser les applications à utiliser l'API de partage" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Autoriser les liens" -#: templates/admin.php:143 +#: templates/admin.php:135 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:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Autoriser le repartage" -#: templates/admin.php:161 +#: templates/admin.php:153 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:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Autoriser les utilisateurs à partager avec tout le monde" -#: templates/admin.php:171 +#: templates/admin.php:163 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:178 +#: templates/admin.php:170 msgid "Security" msgstr "Sécurité" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "Forcer HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Log" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Niveau de log" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Plus" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Moins" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Version" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "Utilisez cette adresse pour accéder à vos fichiers via WebDAV" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "Chiffrement" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Nom de la connexion" diff --git a/l10n/fr/user_ldap.po b/l10n/fr/user_ldap.po index 39d520c2b30..9729b2532b7 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -155,198 +155,185 @@ msgstr "Modèle d'authentification utilisateurs" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Définit le motif à appliquer, lors d'une tentative de connexion. %%uid est remplacé par le nom d'utilisateur lors de la connexion." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "veuillez utiliser le champ %%uid , ex.: \"uid=%%uid\"" - -#: templates/settings.php:56 msgid "User List Filter" msgstr "Filtre d'utilisateurs" -#: templates/settings.php:59 -msgid "Defines the filter to apply, when retrieving users." -msgstr "Définit le filtre à appliquer lors de la récupération des utilisateurs." - -#: templates/settings.php:60 -msgid "without any placeholder, e.g. \"objectClass=person\"." -msgstr "sans élément de substitution, par exemple \"objectClass=person\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "Filtre de groupes" -#: templates/settings.php:64 -msgid "Defines the filter to apply, when retrieving groups." -msgstr "Définit le filtre à appliquer lors de la récupération des groupes." - -#: templates/settings.php:65 -msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "sans élément de substitution, par exemple \"objectClass=posixGroup\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "Paramètres de connexion" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "Configuration active" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "Lorsque non cochée, la configuration sera ignorée." -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Port" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "Serveur de backup (réplique)" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "Fournir un serveur de backup optionnel. Il doit s'agir d'une réplique du serveur LDAP/AD principal." -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "Port du serveur de backup (réplique)" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "Désactiver le serveur principal" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Utiliser TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "À ne pas utiliser pour les connexions LDAPS (cela échouera)." -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "Serveur LDAP insensible à la casse (Windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Désactiver la validation du certificat SSL." -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "Non recommandé, utilisation pour tests uniquement." - -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "Durée de vie du cache" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "en secondes. Tout changement vide le cache." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "Paramètres du répertoire" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "Champ \"nom d'affichage\" de l'utilisateur" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "DN racine de l'arbre utilisateurs" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "Un DN racine utilisateur par ligne" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "Recherche des attributs utilisateur" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "Optionnel, un attribut par ligne" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "Champ \"nom d'affichage\" du groupe" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "DN racine de l'arbre groupes" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "Un DN racine groupe par ligne" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "Recherche des attributs du groupe" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "Association groupe-membre" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "Attributs spéciaux" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "Champ du quota" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "Quota par défaut" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "en bytes" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "Champ Email" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "Convention de nommage du répertoire utilisateur" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "Laisser vide " -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "Nom d'utilisateur interne" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -362,15 +349,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "Nom d'utilisateur interne:" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "Surcharger la détection d'UUID" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -381,15 +368,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "Attribut UUID :" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "Association Nom d'utilisateur-Utilisateur LDAP" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -403,18 +390,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "Supprimer l'association utilisateur interne-utilisateur LDAP" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "Supprimer l'association nom de groupe-groupe LDAP" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "Tester la configuration" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Aide" diff --git a/l10n/gl/core.po b/l10n/gl/core.po index 465eb303ab1..50cf7e0e18d 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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-15 10:30+0000\n" -"Last-Translator: mbouzada \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -198,23 +198,19 @@ msgstr "anos atrás" msgid "Choose" msgstr "Escoller" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Cancelar" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "Produciuse un erro ao cargar o modelo do selector de ficheiros" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Si" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Non" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Aceptar" @@ -621,14 +617,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "Ola,

    só facerlle saber que %s compartiu «%s» con vostede.
    Véxao!

    Saúdos!" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "anterior" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "seguinte" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/gl/files.po b/l10n/gl/files.po index bf0d006d7ae..1d4342dddee 100644 --- a/l10n/gl/files.po +++ b/l10n/gl/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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -95,12 +95,12 @@ msgstr "O espazo dispoñíbel é insuficiente" msgid "Upload cancelled." msgstr "Envío cancelado." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "O envío do ficheiro está en proceso. Saír agora da páxina cancelará o envío." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "O URL non pode quedar baleiro." @@ -108,8 +108,8 @@ msgstr "O URL non pode quedar baleiro." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nome de cartafol incorrecto. O uso de «Compartido» e «Shared» está reservado para o ownClod" -#: 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Erro" @@ -185,35 +185,41 @@ msgstr "O seu espazo de almacenamento está cheo, non é posíbel actualizar ou msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "O seu espazo de almacenamento está case cheo ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Está a prepararse a súa descarga. Isto pode levar bastante tempo se os ficheiros son grandes." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Nome de cartafol incorrecto. O uso de «Shared» está reservado por Owncloud" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Nome" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Tamaño" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Modificado" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n cartafol" msgstr[1] "%n cartafoles" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n ficheiro" diff --git a/l10n/gl/files_sharing.po b/l10n/gl/files_sharing.po index 13e9cefab47..887502a08be 100644 --- a/l10n/gl/files_sharing.po +++ b/l10n/gl/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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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/gl/lib.po b/l10n/gl/lib.po index 8f5d1c95fa9..49881baaafb 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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-15 10:30+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -74,10 +74,6 @@ msgid "" "administrator." msgstr "Descargue os ficheiros en cachos máis pequenos e por separado, ou pídallos amabelmente ao seu administrador." -#: helper.php:235 -msgid "couldn't be determined" -msgstr "non foi posíbel determinalo" - #: json.php:28 msgid "Application is not enabled" msgstr "O aplicativo non está activado" diff --git a/l10n/gl/settings.po b/l10n/gl/settings.po index 35d5432fae3..02d7a03a194 100644 --- a/l10n/gl/settings.po +++ b/l10n/gl/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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: mbouzada \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -121,7 +121,11 @@ msgstr "Produciuse un erro mentres actualizaba o aplicativo" msgid "Updated" msgstr "Actualizado" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Gardando..." @@ -166,7 +170,7 @@ msgstr "Produciuse un erro ao crear o usuario" msgid "A valid password must be provided" msgstr "Debe fornecer un contrasinal" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "Galego" @@ -237,106 +241,106 @@ msgstr "Este servidor non ten conexión a Internet. Isto significa que algunhas msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Executar unha tarefa con cada páxina cargada" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "cron.php está rexistrado nun servizo de WebCron para chamar a cron.php unha vez por minuto a través de HTTP." -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "Use o servizo de sistema cron para chamar ao ficheiro cron.php unha vez por minuto." -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Compartindo" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Activar o API para compartir" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Permitir que os aplicativos empreguen o API para compartir" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Permitir ligazóns" -#: templates/admin.php:143 +#: templates/admin.php:135 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:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "Permitir os envíos públicos" -#: templates/admin.php:152 +#: templates/admin.php:144 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:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Permitir compartir" -#: templates/admin.php:161 +#: templates/admin.php:153 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:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Permitir que os usuarios compartan con calquera" -#: templates/admin.php:171 +#: templates/admin.php:163 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:178 +#: templates/admin.php:170 msgid "Security" msgstr "Seguranza" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "Forzar HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "Forzar que os clientes se conecten a %s empregando unha conexión cifrada." -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "Conéctese a %s empregando HTTPS para activar ou desactivar o forzado de SSL." -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Rexistro" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Nivel de rexistro" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Máis" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Menos" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Versión" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 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/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Nome de acceso" diff --git a/l10n/gl/user_ldap.po b/l10n/gl/user_ldap.po index 0202018f3d4..74fb6d131b0 100644 --- a/l10n/gl/user_ldap.po +++ b/l10n/gl/user_ldap.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" -"Last-Translator: mbouzada \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -155,198 +155,185 @@ msgstr "Filtro de acceso de usuarios" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Define o filtro que se aplica cando se intenta o acceso. %%uid substitúe o nome de usuario e a acción de acceso." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "usar a marca de posición %%uid, p.ex «uid=%%uid»" - -#: templates/settings.php:56 msgid "User List Filter" msgstr "Filtro da lista de usuarios" -#: templates/settings.php:59 -msgid "Defines the filter to apply, when retrieving users." -msgstr "Define o filtro a aplicar cando se recompilan os usuarios." - -#: templates/settings.php:60 -msgid "without any placeholder, e.g. \"objectClass=person\"." -msgstr "sen ningunha marca de posición, como p.ex «objectClass=persoa»." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "Filtro de grupo" -#: templates/settings.php:64 -msgid "Defines the filter to apply, when retrieving groups." -msgstr "Define o filtro a aplicar cando se recompilan os grupos." - -#: templates/settings.php:65 -msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "sen ningunha marca de posición, como p.ex «objectClass=grupoPosix»." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "Axustes da conexión" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "Configuración activa" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "Se está sen marcar, omítese esta configuración." -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Porto" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "Servidor da copia de seguranza (Réplica)" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "Indicar un servidor de copia de seguranza opcional. Debe ser unha réplica do servidor principal LDAP/AD." -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "Porto da copia de seguranza (Réplica)" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "Desactivar o servidor principal" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "Conectar só co servidor de réplica." -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Usar TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "Non utilizalo ademais para conexións LDAPS xa que fallará." -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "Servidor LDAP que non distingue entre maiúsculas e minúsculas (Windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Desactiva a validación do certificado SSL." -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "Se a conexión só funciona con esta opción importa o certificado SSL do servidor LDAP no teu servidor %s." - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "Non se recomenda. Só para probas." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." +msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "Tempo de persistencia da caché" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "en segundos. Calquera cambio baleira a caché." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "Axustes do directorio" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "Campo de mostra do nome de usuario" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "O atributo LDAP a empregar para xerar o nome de usuario para amosar." -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "Base da árbore de usuarios" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "Un DN base de usuario por liña" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "Atributos de busca do usuario" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "Opcional; un atributo por liña" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "Campo de mostra do nome de grupo" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "O atributo LDAP úsase para xerar os nomes dos grupos que amosar." -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "Base da árbore de grupo" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "Un DN base de grupo por liña" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "Atributos de busca do grupo" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "Asociación de grupos e membros" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "Atributos especiais" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "Campo de cota" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "Cota predeterminada" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "en bytes" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "Campo do correo" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "Regra de nomeado do cartafol do usuario" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "Deixar baleiro para o nome de usuario (predeterminado). Noutro caso, especifique un atributo LDAP/AD." -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "Nome de usuario interno" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -362,15 +349,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "De xeito predeterminado, o nome de usuario interno crease a partires do atributo UUID. Asegurase de que o nome de usuario é único e de non ter que converter os caracteres. O nome de usuario interno ten a limitación de que só están permitidos estes caracteres: [ a-zA-Z0-9_.@- ]. Os outros caracteres substitúense pola súa correspondencia ASCII ou simplemente omítense. Nas colisións engadirase/incrementarase un número. O nome de usuario interno utilizase para identificar a un usuario interno. É tamén o nome predeterminado do cartafol persoal do usuario. Tamén é parte dun URL remoto, por exemplo, para todos os servizos *DAV. Con este axuste, o comportamento predeterminado pode ser sobrescrito. Para lograr un comportamento semellante ao anterior ownCloud 5 introduza o atributo do nome para amosar do usuario no seguinte campo. Déixeo baleiro para o comportamento predeterminado. Os cambios terán efecto só nas novas asignacións (engadidos) de usuarios de LDAP." -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "Atributo do nome de usuario interno:" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "Ignorar a detección do UUID" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -381,15 +368,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "De xeito predeterminado, o atributo UUID é detectado automaticamente. O atributo UUID utilizase para identificar, sen dúbida, aos usuarios e grupos LDAP. Ademais, crearase o usuario interno baseado no UUID, se non se especifica anteriormente o contrario. Pode anular a configuración e pasar un atributo da súa escolla. Vostede debe asegurarse de que o atributo da súa escolla pode ser recuperado polos usuarios e grupos e de que é único. Déixeo baleiro para o comportamento predeterminado. Os cambios terán efecto só nas novas asignacións (engadidos) de usuarios de LDAP." -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "Atributo do UUID:" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "Asignación do usuario ao «nome de usuario LDAP»" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -403,18 +390,18 @@ msgid "" "experimental stage." msgstr "Os nomes de usuario empreganse para almacenar e asignar (meta) datos. Coa fin de identificar con precisión e recoñecer aos usuarios, cada usuario LDAP terá un nome de usuario interno. Isto require unha asignación de ownCloud nome de usuario a usuario LDAP. O nome de usuario creado asignase ao UUID do usuario LDAP. Ademais o DN almacenase na caché, para así reducir a interacción do LDAP, mais non se utiliza para a identificación. Se o DN cambia, os cambios poden ser atopados polo ownCloud. O nome interno no ownCloud utilizase en todo o ownCloud. A limpeza das asignacións deixará rastros en todas partes. A limpeza das asignacións non é sensíbel á configuración, afecta a todas as configuracións de LDAP! Non limpar nunca as asignacións nun entorno de produción. Limpar as asignacións só en fases de proba ou experimentais." -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "Limpar a asignación do usuario ao «nome de usuario LDAP»" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "Limpar a asignación do grupo ao «nome de grupo LDAP»" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "Probar a configuración" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Axuda" diff --git a/l10n/he/core.po b/l10n/he/core.po index 44845c5b9e7..4919323ca05 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -142,55 +142,55 @@ msgstr "דצמבר" msgid "Settings" msgstr "הגדרות" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "שניות" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "היום" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "אתמול" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "חודש שעבר" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "חודשים" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "שנה שעברה" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "שנים" @@ -198,23 +198,19 @@ msgstr "שנים" msgid "Choose" msgstr "בחירה" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "ביטול" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "שגיאה בטעינת תבנית בחירת הקבצים" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "כן" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "לא" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "בסדר" @@ -621,14 +617,6 @@ msgid "" "href=\"%s\">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." diff --git a/l10n/he/files.po b/l10n/he/files.po index 523cab114d4..1b7e785ebf1 100644 --- a/l10n/he/files.po +++ b/l10n/he/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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -95,12 +95,12 @@ msgstr "" msgid "Upload cancelled." msgstr "ההעלאה בוטלה." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "מתבצעת כעת העלאת קבצים. עזיבה של העמוד תבטל את ההעלאה." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "קישור אינו יכול להיות ריק." @@ -108,8 +108,8 @@ msgstr "קישור אינו יכול להיות ריק." 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "שגיאה" @@ -185,35 +185,41 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "שם" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "גודל" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "זמן שינוי" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/he/files_sharing.po b/l10n/he/files_sharing.po index 9ce5f7cc91e..0af4dee2ecc 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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/he/lib.po b/l10n/he/lib.po index a5297272430..ba288940743 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "יישומים אינם מופעלים" diff --git a/l10n/he/settings.po b/l10n/he/settings.po index e4eee2b12b4..469aab5a95c 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:10+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" @@ -121,7 +121,11 @@ msgstr "אירעה שגיאה בעת עדכון היישום" msgid "Updated" msgstr "מעודכן" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "שמירה…" @@ -166,7 +170,7 @@ msgstr "יצירת המשתמש נכשלה" msgid "A valid password must be provided" msgstr "יש לספק ססמה תקנית" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "עברית" @@ -237,106 +241,106 @@ msgstr "" msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "יש להפעיל משימה אחת עם כל עמוד שנטען" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "שיתוף" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "הפעלת API השיתוף" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "לאפשר ליישום להשתמש ב־API השיתוף" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "לאפשר קישורים" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "לאפשר למשתמשים לשתף פריטים " -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "לאפשר שיתוף מחדש" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "לאפשר למשתמשים לשתף הלאה פריטים ששותפו אתם" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "לאפשר למשתמשים לשתף עם כל אחד" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "לאפשר למשתמשים לשתף עם משתמשים בקבוצות שלהם בלבד" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "אבטחה" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "לאלץ HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "יומן" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "רמת הדיווח" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "יותר" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "פחות" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "גרסא" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "הצפנה" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "שם כניסה" diff --git a/l10n/he/user_ldap.po b/l10n/he/user_ldap.po index 8f989bc1fae..af6906d1973 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -155,198 +155,185 @@ msgstr "סנן כניסת משתמש" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "פורט" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "בשניות. שינוי מרוקן את המטמון." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "בבתים" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -362,15 +349,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -381,15 +368,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -403,18 +390,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "עזרה" diff --git a/l10n/hi/core.po b/l10n/hi/core.po index b9bb38c3e73..27c6e564ae4 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -142,55 +142,55 @@ msgstr "दिसम्बर" msgid "Settings" msgstr "सेटिंग्स" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "" @@ -198,23 +198,19 @@ msgstr "" msgid "Choose" msgstr "" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "" @@ -621,14 +617,6 @@ msgid "" "href=\"%s\">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." diff --git a/l10n/hi/files.po b/l10n/hi/files.po index e15750a9842..f3bce0ac149 100644 --- a/l10n/hi/files.po +++ b/l10n/hi/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -94,12 +94,12 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "" @@ -107,8 +107,8 @@ msgstr "" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "त्रुटि" @@ -184,35 +184,41 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/hi/lib.po b/l10n/hi/lib.po index d2b0c7fad22..28b270f1948 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/hi/settings.po b/l10n/hi/settings.po index 66da608edd3..6c4da2cc6c6 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "" @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/hi/user_ldap.po b/l10n/hi/user_ldap.po index 69b89ecdf7d..053000fe64c 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "सहयोग" diff --git a/l10n/hr/core.po b/l10n/hr/core.po index 521c5d60347..fc513b2f685 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -141,59 +141,59 @@ msgstr "Prosinac" msgid "Settings" msgstr "Postavke" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "sekundi prije" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "danas" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "jučer" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "prošli mjesec" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "mjeseci" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "prošlu godinu" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "godina" @@ -201,23 +201,19 @@ msgstr "godina" msgid "Choose" msgstr "Izaberi" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Odustani" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Da" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Ne" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "U redu" @@ -624,14 +620,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "prethodan" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "sljedeći" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/hr/files.po b/l10n/hr/files.po index ad1dd62f473..b15680bceff 100644 --- a/l10n/hr/files.po +++ b/l10n/hr/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -94,12 +94,12 @@ msgstr "" msgid "Upload cancelled." msgstr "Slanje poništeno." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Učitavanje datoteke. Napuštanjem stranice će prekinuti učitavanje." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "" @@ -107,8 +107,8 @@ msgstr "" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Greška" @@ -185,36 +185,42 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Ime" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Veličina" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Zadnja promjena" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/hr/files_sharing.po b/l10n/hr/files_sharing.po index 74836110cc8..ee7cc3cc679 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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 c9c913ffa16..32395b83128 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/hr/settings.po b/l10n/hr/settings.po index e8be72648d0..660714684d6 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Spremanje..." @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "__ime_jezika__" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "dnevnik" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "više" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/hr/user_ldap.po b/l10n/hr/user_ldap.po index 28599c68dc6..bbd09586144 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Pomoć" diff --git a/l10n/hu_HU/core.po b/l10n/hu_HU/core.po index 5348acb3a5d..715adea419f 100644 --- a/l10n/hu_HU/core.po +++ b/l10n/hu_HU/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -143,55 +143,55 @@ msgstr "december" msgid "Settings" msgstr "Beállítások" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "pár másodperce" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "ma" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "tegnap" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "múlt hónapban" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "több hónapja" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "tavaly" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "több éve" @@ -199,23 +199,19 @@ msgstr "több éve" msgid "Choose" msgstr "Válasszon" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Mégsem" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "Nem sikerült betölteni a fájlkiválasztó sablont" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Igen" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Nem" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Ok" @@ -622,14 +618,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "Üdv!

    Új hír: %s megosztotta Önnel ezt: »%s«.
    Itt nézhető meg!

    Minden jót!" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "előző" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "következő" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/hu_HU/files.po b/l10n/hu_HU/files.po index f3c43820b2d..cc2316c691e 100644 --- a/l10n/hu_HU/files.po +++ b/l10n/hu_HU/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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -95,12 +95,12 @@ msgstr "Nincs elég szabad hely" msgid "Upload cancelled." msgstr "A feltöltést megszakítottuk." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Fájlfeltöltés van folyamatban. Az oldal elhagyása megszakítja a feltöltést." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "Az URL nem lehet semmi." @@ -108,8 +108,8 @@ msgstr "Az URL nem lehet semmi." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Érvénytelen mappanév. A 'Shared' az ownCloud számára fenntartott elnevezés" -#: 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Hiba" @@ -185,35 +185,41 @@ msgstr "A tároló tele van, a fájlok nem frissíthetőek vagy szinkronizálhat msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "A tároló majdnem tele van ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Készül a letöltendő állomány. Ez eltarthat egy ideig, ha nagyok a fájlok." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Érvénytelen mappanév. A név használata csak a Owncloud számára lehetséges." -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Név" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Méret" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Módosítva" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/hu_HU/files_sharing.po b/l10n/hu_HU/files_sharing.po index ea31ac3f6fc..43059eac1fc 100644 --- a/l10n/hu_HU/files_sharing.po +++ b/l10n/hu_HU/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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:50+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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/hu_HU/lib.po b/l10n/hu_HU/lib.po index d517cddd328..e508505f741 100644 --- a/l10n/hu_HU/lib.po +++ b/l10n/hu_HU/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -75,10 +75,6 @@ msgid "" "administrator." msgstr "Tölts le a fileokat kisebb chunkokban, kölün vagy kérj segitséget a rendszergazdádtól." -#: helper.php:235 -msgid "couldn't be determined" -msgstr "nem határozható meg" - #: json.php:28 msgid "Application is not enabled" msgstr "Az alkalmazás nincs engedélyezve" diff --git a/l10n/hu_HU/settings.po b/l10n/hu_HU/settings.po index e9f13f44d64..c0b8de03bf2 100644 --- a/l10n/hu_HU/settings.po +++ b/l10n/hu_HU/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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: ebela \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -123,7 +123,11 @@ msgstr "Hiba történt a programfrissítés közben" msgid "Updated" msgstr "Frissítve" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Mentés..." @@ -168,7 +172,7 @@ msgstr "A felhasználó nem hozható létre" msgid "A valid password must be provided" msgstr "Érvényes jelszót kell megadnia" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "__language_name__" @@ -239,106 +243,106 @@ msgstr "A kiszolgálónak nincs müködő internet kapcsolata. Ez azt jelenti, h msgid "Cron" msgstr "Ütemezett feladatok" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Egy-egy feladat végrehajtása minden alkalommal, amikor egy weboldalt letöltenek" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "A cron.php webcron szolgáltatásként van regisztrálva. Hívja meg a cron.php állományt http-n keresztül percenként egyszer." -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "A rendszer cron szolgáltatásának használata. Hívja meg a cron.php állományt percenként egyszer a rendszer cron szolgáltatásának segítségével." -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Megosztás" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "A megosztás API-jának engedélyezése" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Lehetővé teszi, hogy a programmodulok is használhassák a megosztást" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Linkek engedélyezése" -#: templates/admin.php:143 +#: templates/admin.php:135 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:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "Feltöltést engedélyezése mindenki számára" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "Engedélyezni a felhasználóknak, hogy beállíithassák, hogy mások feltölthetnek a nyilvánosan megosztott mappákba." -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "A továbbosztás engedélyezése" -#: templates/admin.php:161 +#: templates/admin.php:153 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:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "A felhasználók bárkivel megoszthatják állományaikat" -#: templates/admin.php:171 +#: templates/admin.php:163 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:178 +#: templates/admin.php:170 msgid "Security" msgstr "Biztonság" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "Kötelező HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "Kötelezővé teszi, hogy a böngészőprogramok titkosított csatornán kapcsolódjanak a %s szolgáltatáshoz." -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "Kérjük kapcsolodjon a %s rendszerhez HTTPS protokollon keresztül, hogy be vagy ki kapcsoljaa kötelező SSL beállítást." -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Naplózás" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Naplózási szint" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Több" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Kevesebb" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Verzió" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 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/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Bejelentkezési név" diff --git a/l10n/hu_HU/user_ldap.po b/l10n/hu_HU/user_ldap.po index 0d0100a200e..166a16c7f81 100644 --- a/l10n/hu_HU/user_ldap.po +++ b/l10n/hu_HU/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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -156,198 +156,185 @@ msgstr "Szűrő a bejelentkezéshez" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Ez a szűrő érvényes a bejelentkezés megkísérlésekor. Ekkor az %%uid változó helyére a bejelentkezési név kerül." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "használja az %%uid változót, pl. \"uid=%%uid\"" - -#: templates/settings.php:56 msgid "User List Filter" msgstr "A felhasználók szűrője" -#: templates/settings.php:59 -msgid "Defines the filter to apply, when retrieving users." -msgstr "Ez a szűrő érvényes a felhasználók listázásakor." - -#: templates/settings.php:60 -msgid "without any placeholder, e.g. \"objectClass=person\"." -msgstr "itt ne használjon változót, pl. \"objectClass=person\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "A csoportok szűrője" -#: templates/settings.php:64 -msgid "Defines the filter to apply, when retrieving groups." -msgstr "Ez a szűrő érvényes a csoportok listázásakor." - -#: templates/settings.php:65 -msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "itt ne használjunk változót, pl. \"objectClass=posixGroup\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "Kapcsolati beállítások" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "A beállítás aktív" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "Ha nincs kipipálva, ez a beállítás kihagyódik." -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Port" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "Másodkiszolgáló (replika)" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "Adjon meg egy opcionális másodkiszolgálót. Ez a fő LDAP/AD kiszolgáló szinkron másolata (replikája) kell legyen." -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "A másodkiszolgáló (replika) portszáma" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "A fő szerver kihagyása" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Használjunk TLS-t" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "LDAPS kapcsolatok esetén ne kapcsoljuk be, mert nem fog működni." -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "Az LDAP-kiszolgáló nem tesz különbséget a kis- és nagybetűk között (Windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Ne ellenőrizzük az SSL-tanúsítvány érvényességét" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "Nem javasolt, csak tesztelésre érdemes használni." - -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "A gyorsítótár tárolási időtartama" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "másodpercben. A változtatás törli a cache tartalmát." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "Címtár beállítások" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "A felhasználónév mezője" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "A felhasználói fa gyökere" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "Soronként egy felhasználói fa gyökerét adhatjuk meg" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "A felhasználók lekérdezett attribútumai" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "Nem kötelező megadni, soronként egy attribútum" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "A csoport nevének mezője" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "A csoportfa gyökere" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "Soronként egy csoportfa gyökerét adhatjuk meg" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "A csoportok lekérdezett attribútumai" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "A csoporttagság attribútuma" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "Különleges attribútumok" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "Kvóta mező" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "Alapértelmezett kvóta" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "bájtban" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "Email mező" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "A home könyvtár elérési útvonala" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "Hagyja üresen, ha a felhasználónevet kívánja használni. Ellenkező esetben adjon meg egy LDAP/AD attribútumot!" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "Belső felhasználónév" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -363,15 +350,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "A belső felhasználónév attribútuma:" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "Az UUID-felismerés felülbírálása" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -382,15 +369,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "UUID attribútum:" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "Felhasználó - LDAP felhasználó hozzárendelés" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -404,18 +391,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "A felhasználó - LDAP felhasználó hozzárendelés törlése" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "A csoport - LDAP csoport hozzárendelés törlése" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "A beállítások tesztelése" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Súgó" diff --git a/l10n/hy/core.po b/l10n/hy/core.po index 0b7d7fdbaac..e2aceb5731c 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -141,55 +141,55 @@ msgstr "Դեկտեմբեր" msgid "Settings" msgstr "" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "" @@ -197,23 +197,19 @@ msgstr "" msgid "Choose" msgstr "" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "" @@ -620,14 +616,6 @@ msgid "" "href=\"%s\">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." diff --git a/l10n/hy/files.po b/l10n/hy/files.po index 43c435dd47c..4769f28713c 100644 --- a/l10n/hy/files.po +++ b/l10n/hy/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -94,12 +94,12 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "" @@ -107,8 +107,8 @@ msgstr "" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "" @@ -184,35 +184,41 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/hy/files_sharing.po b/l10n/hy/files_sharing.po index 59d5e3109f5..bdb47a3fbc9 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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" diff --git a/l10n/hy/lib.po b/l10n/hy/lib.po index a5d0fdb5e62..c4bd9162a85 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/hy/settings.po b/l10n/hy/settings.po index 0cb76a2fd2f..a4f0a39f2e3 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-27 01:56-0400\n" -"PO-Revision-Date: 2013-07-25 05:57+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "" @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/hy/user_ldap.po b/l10n/hy/user_ldap.po index 40ead5a3d60..8b2b904fe7f 100644 --- a/l10n/hy/user_ldap.po +++ b/l10n/hy/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-27 01:56-0400\n" -"PO-Revision-Date: 2013-07-27 05:56+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "" diff --git a/l10n/ia/core.po b/l10n/ia/core.po index cb317dbb059..901f0476070 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -141,55 +141,55 @@ msgstr "Decembre" msgid "Settings" msgstr "Configurationes" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "" @@ -197,23 +197,19 @@ msgstr "" msgid "Choose" msgstr "" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Cancellar" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "" @@ -620,14 +616,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "prev" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "prox" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/ia/files.po b/l10n/ia/files.po index d9fb2c5d01d..0ef13b54839 100644 --- a/l10n/ia/files.po +++ b/l10n/ia/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -94,12 +94,12 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "" @@ -107,8 +107,8 @@ msgstr "" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Error" @@ -184,35 +184,41 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Nomine" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Dimension" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Modificate" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/ia/files_sharing.po b/l10n/ia/files_sharing.po index ac0a658eb5e..6fb91fb6c7e 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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 c60af2f1aa1..2d76564c421 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/ia/settings.po b/l10n/ia/settings.po index be9966dae6c..45bea595cdd 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "" @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "Interlingua" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Registro" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Plus" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/ia/user_ldap.po b/l10n/ia/user_ldap.po index 31b0570076c..a8bd30ff193 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Adjuta" diff --git a/l10n/id/core.po b/l10n/id/core.po index b3db7059779..abd8fc9cd4d 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -141,51 +141,51 @@ msgstr "Desember" msgid "Settings" msgstr "Setelan" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "beberapa detik yang lalu" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "hari ini" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "kemarin" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "bulan kemarin" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "beberapa bulan lalu" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "tahun kemarin" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "beberapa tahun lalu" @@ -193,23 +193,19 @@ msgstr "beberapa tahun lalu" msgid "Choose" msgstr "Pilih" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Batal" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Ya" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Tidak" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Oke" @@ -616,14 +612,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "sebelumnya" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "selanjutnya" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/id/files.po b/l10n/id/files.po index 72b3b847353..2afa9512605 100644 --- a/l10n/id/files.po +++ b/l10n/id/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -94,12 +94,12 @@ msgstr "Ruang penyimpanan tidak mencukupi" msgid "Upload cancelled." msgstr "Pengunggahan dibatalkan." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Berkas sedang diunggah. Meninggalkan halaman ini akan membatalkan proses." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "URL tidak boleh kosong" @@ -107,8 +107,8 @@ msgstr "URL tidak boleh kosong" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Galat" @@ -183,34 +183,40 @@ msgstr "Ruang penyimpanan Anda penuh, berkas tidak dapat diperbarui atau disinkr msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "Ruang penyimpanan hampir penuh ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Unduhan Anda sedang disiapkan. Prosesnya dapat berlangsung agak lama jika ukuran berkasnya besar." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Nama folder salah. Nama 'Shared' telah digunakan oleh Owncloud." -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Nama" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Ukuran" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Dimodifikasi" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/id/files_sharing.po b/l10n/id/files_sharing.po index 79f5f77df10..1a7fb0fbb08 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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 e1a8dc80a69..a687ac2f3ef 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "tidak dapat ditentukan" - #: json.php:28 msgid "Application is not enabled" msgstr "Aplikasi tidak diaktifkan" diff --git a/l10n/id/settings.po b/l10n/id/settings.po index 12086b8b8a3..0593869e6de 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:10+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" @@ -120,7 +120,11 @@ msgstr "Gagal ketika memperbarui aplikasi" msgid "Updated" msgstr "Diperbarui" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Menyimpan..." @@ -165,7 +169,7 @@ msgstr "Gagal membuat pengguna" msgid "A valid password must be provided" msgstr "Tuliskan sandi yang valid" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "__language_name__" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Jalankan tugas setiap kali halaman dimuat" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Berbagi" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Aktifkan API Pembagian" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Izinkan aplikasi untuk menggunakan API Pembagian" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Izinkan tautan" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "Izinkan pengguna untuk berbagi item kepada publik lewat tautan" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Izinkan pembagian ulang" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "Izinkan pengguna untuk berbagi kembali item yang dibagikan kepada mereka." -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Izinkan pengguna untuk berbagi kepada siapa saja" -#: templates/admin.php:171 +#: templates/admin.php:163 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:178 +#: templates/admin.php:170 msgid "Security" msgstr "Keamanan" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "Selalu Gunakan HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Catat" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Level pencatatan" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Lainnya" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Ciutkan" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Versi" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "Enkripsi" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Nama Masuk" diff --git a/l10n/id/user_ldap.po b/l10n/id/user_ldap.po index f2e6d29fcce..e165b0b8d33 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "gunakan saringan login" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Definisikan filter untuk diterapkan, saat login dilakukan. %%uid menggantikan username saat login." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "gunakan pengganti %%uid, mis. \"uid=%%uid\"" - -#: templates/settings.php:56 msgid "User List Filter" msgstr "Daftar Filter Pengguna" -#: templates/settings.php:59 -msgid "Defines the filter to apply, when retrieving users." -msgstr "Definisikan filter untuk diterapkan saat menerima pengguna." - -#: templates/settings.php:60 -msgid "without any placeholder, e.g. \"objectClass=person\"." -msgstr "tanpa pengganti apapun, mis. \"objectClass=seseorang\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "saringan grup" -#: templates/settings.php:64 -msgid "Defines the filter to apply, when retrieving groups." -msgstr "Definisikan filter untuk diterapkan saat menerima grup." - -#: templates/settings.php:65 -msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "tanpa pengganti apapaun, mis. \"objectClass=posixGroup\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "Pengaturan Koneksi" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "Konfigurasi Aktif" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "Jika tidak dicentang, konfigurasi ini dilewati." -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "port" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "Host Cadangan (Replika)" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "Berikan pilihan host cadangan. Harus merupakan replika dari server LDAP/AD utama." -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "Port Cadangan (Replika)" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "Nonaktifkan Server Utama" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "gunakan TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "Jangan gunakan utamanya untuk koneksi LDAPS, koneksi akan gagal." -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "Server LDAP dengan kapitalisasi tidak sensitif (Windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "matikan validasi sertivikat SSL" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "tidak disarankan, gunakan hanya untuk pengujian." - -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "Gunakan Tembolok untuk Time-To-Live" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "dalam detik. perubahan mengosongkan cache" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "Pengaturan Direktori" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "Bidang Tampilan Nama Pengguna" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "Pohon Pengguna Dasar" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "Satu Pengguna Base DN per baris" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "Atribut Pencarian Pengguna" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "Pilihan; satu atribut per baris" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "Bidang Tampilan Nama Grup" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "Pohon Grup Dasar" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "Satu Grup Base DN per baris" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "Atribut Pencarian Grup" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "asosiasi Anggota-Grup" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "Atribut Khusus" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "Bidang Kuota" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "Kuota Baku" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "dalam bytes" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "Bidang Email" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "Aturan Penamaan Folder Home Pengguna" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "Biarkan nama pengguna kosong (default). Atau tetapkan atribut LDAP/AD." -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "Uji Konfigurasi" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Bantuan" diff --git a/l10n/is/core.po b/l10n/is/core.po index 478150b094b..875e468f20a 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -142,55 +142,55 @@ msgstr "Desember" msgid "Settings" msgstr "Stillingar" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "sek." -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "í dag" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "í gær" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "síðasta mánuði" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "mánuðir síðan" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "síðasta ári" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "einhverjum árum" @@ -198,23 +198,19 @@ msgstr "einhverjum árum" msgid "Choose" msgstr "Veldu" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Hætta við" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Já" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Nei" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Í lagi" @@ -621,14 +617,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "fyrra" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "næsta" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/is/files.po b/l10n/is/files.po index 516265cd8bc..0cc47cc2229 100644 --- a/l10n/is/files.po +++ b/l10n/is/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -94,12 +94,12 @@ msgstr "Ekki nægt pláss tiltækt" msgid "Upload cancelled." msgstr "Hætt við innsendingu." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Innsending í gangi. Ef þú ferð af þessari síðu mun innsending misheppnast." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "Vefslóð má ekki vera tóm." @@ -107,8 +107,8 @@ msgstr "Vefslóð má ekki vera tóm." 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Villa" @@ -184,35 +184,41 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Óleyfilegt nafn á möppu. Nafnið 'Shared' er frátekið fyrir Owncloud" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Nafn" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Stærð" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Breytt" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/is/files_sharing.po b/l10n/is/files_sharing.po index e4966a548d8..20e744006b8 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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 5926c37fa9f..426da0a471f 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "Forrit ekki virkt" diff --git a/l10n/is/settings.po b/l10n/is/settings.po index 6e26f787fdf..8c1bc1c835a 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:10+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" @@ -121,7 +121,11 @@ msgstr "" msgid "Updated" msgstr "Uppfært" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Er að vista ..." @@ -166,7 +170,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "__nafn_tungumáls__" @@ -237,106 +241,106 @@ msgstr "" msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Meira" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Minna" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Útgáfa" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "Dulkóðun" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/is/user_ldap.po b/l10n/is/user_ldap.po index 344e82af525..389e4c206ef 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -155,198 +155,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -362,15 +349,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -381,15 +368,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -403,18 +390,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "Prúfa uppsetningu" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Hjálp" diff --git a/l10n/it/core.po b/l10n/it/core.po index 84687acd093..e2a608899bb 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -144,55 +144,55 @@ msgstr "Dicembre" msgid "Settings" msgstr "Impostazioni" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "secondi fa" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "oggi" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "ieri" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "mese scorso" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "mesi fa" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "anno scorso" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "anni fa" @@ -200,23 +200,19 @@ msgstr "anni fa" msgid "Choose" msgstr "Scegli" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Annulla" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "Errore durante il caricamento del modello del selezionatore di file" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Sì" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "No" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Ok" @@ -623,14 +619,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "Ehilà,

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

    Saluti!" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "precedente" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "successivo" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/it/files.po b/l10n/it/files.po index b45c88102ae..5f8c561cb46 100644 --- a/l10n/it/files.po +++ b/l10n/it/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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -96,12 +96,12 @@ msgstr "Spazio disponibile insufficiente" msgid "Upload cancelled." msgstr "Invio annullato" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Caricamento del file in corso. La chiusura della pagina annullerà il caricamento." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "L'URL non può essere vuoto." @@ -109,8 +109,8 @@ msgstr "L'URL non può essere vuoto." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nome della cartella non valido. L'uso di 'Shared' è riservato a 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Errore" @@ -186,35 +186,41 @@ msgstr "Lo spazio di archiviazione è pieno, i file non possono essere più aggi msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "Lo spazio di archiviazione è quasi pieno ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Il tuo scaricamento è in fase di preparazione. Ciò potrebbe richiedere del tempo se i file sono grandi." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Nome della cartella non valido. L'uso di 'Shared' è riservato da ownCloud" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Nome" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Dimensione" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Modificato" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/it/files_sharing.po b/l10n/it/files_sharing.po index b2ebeff4403..f314ab509b1 100644 --- a/l10n/it/files_sharing.po +++ b/l10n/it/files_sharing.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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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 506821d1d77..0802ffca262 100644 --- a/l10n/it/lib.po +++ b/l10n/it/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -75,10 +75,6 @@ msgid "" "administrator." msgstr "Scarica i file in blocchi più piccoli, separatamente o chiedi al tuo amministratore." -#: helper.php:235 -msgid "couldn't be determined" -msgstr "non può essere determinato" - #: json.php:28 msgid "Application is not enabled" msgstr "L'applicazione non è abilitata" diff --git a/l10n/it/settings.po b/l10n/it/settings.po index 0f2c1b0c371..a2e51a418bf 100644 --- a/l10n/it/settings.po +++ b/l10n/it/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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: Vincenzo Reale \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:10+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" @@ -123,7 +123,11 @@ msgstr "Errore durante l'aggiornamento" msgid "Updated" msgstr "Aggiornato" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Salvataggio in corso..." @@ -168,7 +172,7 @@ msgstr "Errore durante la creazione dell'utente" msgid "A valid password must be provided" msgstr "Deve essere fornita una password valida" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "Italiano" @@ -239,106 +243,106 @@ msgstr "Questo server ownCloud non ha una connessione a Internet funzionante. Ci msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Esegui un'operazione con ogni pagina caricata" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "cron.php è registrato su un servizio webcron per invocare la pagina cron.php ogni minuto su http." -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "Usa il servizio cron di sistema per invocare il file cron.php ogni minuto." -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Condivisione" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Abilita API di condivisione" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Consenti alle applicazioni di utilizzare le API di condivisione" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Consenti collegamenti" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "Consenti agli utenti di condividere pubblicamente elementi tramite collegamenti" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "Consenti caricamenti pubblici" -#: templates/admin.php:152 +#: templates/admin.php:144 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:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Consenti la ri-condivisione" -#: templates/admin.php:161 +#: templates/admin.php:153 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:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Consenti agli utenti di condividere con chiunque" -#: templates/admin.php:171 +#: templates/admin.php:163 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:178 +#: templates/admin.php:170 msgid "Security" msgstr "Protezione" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "Forza HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "Forza i client a connettersi a %s tramite una connessione cifrata." -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "Connettiti al tuo %s tramite HTTPS per abilitare o disabilitare l'applicazione di SSL." -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Log" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Livello di log" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Altro" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Meno" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Versione" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "Utilizza questo indirizzo per accedere ai tuoi file via WebDAV" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "Cifratura" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Nome utente" diff --git a/l10n/it/user_ldap.po b/l10n/it/user_ldap.po index 833085b49f3..c9793a8644e 100644 --- a/l10n/it/user_ldap.po +++ b/l10n/it/user_ldap.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" -"Last-Translator: Vincenzo Reale \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -155,198 +155,185 @@ msgstr "Filtro per l'accesso utente" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Specifica quale filtro utilizzare quando si tenta l'accesso. %%uid sostituisce il nome utente all'atto dell'accesso." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "utilizza il segnaposto %%uid, ad esempio \"uid=%%uid\"" - -#: templates/settings.php:56 msgid "User List Filter" msgstr "Filtro per l'elenco utenti" -#: templates/settings.php:59 -msgid "Defines the filter to apply, when retrieving users." -msgstr "Specifica quale filtro utilizzare durante il recupero degli utenti." - -#: templates/settings.php:60 -msgid "without any placeholder, e.g. \"objectClass=person\"." -msgstr "senza nessun segnaposto, per esempio \"objectClass=person\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "Filtro per il gruppo" -#: templates/settings.php:64 -msgid "Defines the filter to apply, when retrieving groups." -msgstr "Specifica quale filtro utilizzare durante il recupero dei gruppi." - -#: templates/settings.php:65 -msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "senza nessun segnaposto, per esempio \"objectClass=posixGroup\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "Impostazioni di connessione" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "Configurazione attiva" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "Se deselezionata, questa configurazione sarà saltata." -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Porta" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "Host di backup (Replica)" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "Fornisci un host di backup opzionale. Deve essere una replica del server AD/LDAP principale." -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "Porta di backup (Replica)" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "Disabilita server principale" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "Collegati solo al server di replica." -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Usa TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "Da non utilizzare per le connessioni LDAPS, non funzionerà." -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "Case insensitve LDAP server (Windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Disattiva il controllo del certificato SSL." -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "Se la connessione funziona esclusivamente con questa opzione, importa il certificato SSL del server LDAP nel tuo server %s." - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "Non consigliato, utilizzare solo per test." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." +msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "Tempo di vita della cache" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "in secondi. Il cambio svuota la cache." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "Impostazioni delle cartelle" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "Campo per la visualizzazione del nome utente" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "L'attributo LDAP da usare per generare il nome visualizzato dell'utente." -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "Struttura base dell'utente" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "Un DN base utente per riga" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "Attributi di ricerca utente" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "Opzionale; un attributo per riga" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "Campo per la visualizzazione del nome del gruppo" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "L'attributo LDAP da usare per generare il nome visualizzato del gruppo." -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "Struttura base del gruppo" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "Un DN base gruppo per riga" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "Attributi di ricerca gruppo" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "Associazione gruppo-utente " -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "Attributi speciali" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "Campo Quota" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "Quota predefinita" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "in byte" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "Campo Email" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "Regola di assegnazione del nome della cartella utente" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "Lascia vuoto per il nome utente (predefinito). Altrimenti, specifica un attributo LDAP/AD." -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "Nome utente interno" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -362,15 +349,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "In modo predefinito, il nome utente interno sarà creato dall'attributo UUID. Ciò assicura che il nome utente sia univoco e che non sia necessario convertire i caratteri. Il nome utente interno consente l'uso di determinati caratteri: [ a-zA-Z0-9_.@- ]. Altri caratteri sono sostituiti con il corrispondente ASCII o sono semplicemente omessi. In caso di conflitto, sarà aggiunto/incrementato un numero. Il nome utente interno è utilizzato per identificare un utente internamente. Rappresenta, inoltre, il nome predefinito per la cartella home dell'utente in ownCloud. Costituisce anche una parte di URL remoti, ad esempio per tutti i servizi *DAV. Con questa impostazione, il comportamento predefinito può essere scavalcato. Per ottenere un comportamento simile alle versioni precedenti ownCloud 5, inserisci l'attributo del nome visualizzato dell'utente nel campo seguente. Lascialo vuoto per il comportamento predefinito. Le modifiche avranno effetto solo sui nuovo utenti LDAP associati (aggiunti)." -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "Attributo nome utente interno:" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "Ignora rilevamento UUID" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -381,15 +368,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "In modo predefinito, l'attributo UUID viene rilevato automaticamente. L'attributo UUID è utilizzato per identificare senza alcun dubbio gli utenti e i gruppi LDAP. Inoltre, il nome utente interno sarà creato sulla base dell'UUID, se non è specificato in precedenza. Puoi ignorare l'impostazione e fornire un attributo di tua scelta. Assicurati che l'attributo scelto possa essere ottenuto sia per gli utenti che per i gruppi e che sia univoco. Lascialo vuoto per ottenere il comportamento predefinito. Le modifiche avranno effetto solo sui nuovi utenti e gruppi LDAP associati (aggiunti)." -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "Attributo UUID:" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "Associazione Nome utente-Utente LDAP" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -403,18 +390,18 @@ msgid "" "experimental stage." msgstr "I nomi utente sono utilizzati per archiviare e assegnare i (meta) dati. Per identificare con precisione e riconoscere gli utenti, ogni utente LDAP avrà un nome utente interno. Ciò richiede un'associazione tra il nome utente e l'utente LDAP. In aggiunta, il DN viene mantenuto in cache per ridurre l'interazione con LDAP, ma non è utilizzato per l'identificazione. Se il DN cambia, le modifiche saranno rilevate. Il nome utente interno è utilizzato dappertutto. La cancellazione delle associazioni lascerà tracce residue ovunque e interesserà esclusivamente la configurazione LDAP. Non cancellare mai le associazioni in un ambiente di produzione, ma solo in una fase sperimentale o di test." -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "Cancella associazione Nome utente-Utente LDAP" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "Cancella associazione Nome gruppo-Gruppo LDAP" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "Prova configurazione" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Aiuto" diff --git a/l10n/ja_JP/core.po b/l10n/ja_JP/core.po index 07c9dd2169d..93d6745203d 100644 --- a/l10n/ja_JP/core.po +++ b/l10n/ja_JP/core.po @@ -5,13 +5,14 @@ # Translators: # Daisuke Deguchi , 2013 # plazmism , 2013 +# Koichi MATSUMOTO , 2013 # tt yn , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -144,51 +145,51 @@ msgstr "12月" msgid "Settings" msgstr "設定" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "数秒前" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" +msgstr[0] "%n 分前" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" +msgstr[0] "%n 時間後" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "今日" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "昨日" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" -msgstr[0] "" +msgstr[0] "%n 日後" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "一月前" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" +msgstr[0] "%n カ月後" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "月前" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "一年前" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "年前" @@ -196,23 +197,19 @@ msgstr "年前" msgid "Choose" msgstr "選択" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "キャンセル" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "ファイルピッカーのテンプレートの読み込みエラー" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "はい" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "いいえ" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "OK" @@ -379,7 +376,7 @@ msgstr "更新に成功しました。今すぐownCloudにリダイレクトし #: lostpassword/controller.php:61 #, php-format msgid "%s password reset" -msgstr "" +msgstr "%s パスワードリセット" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" @@ -619,14 +616,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "こんにちは、

    %sがあなたと »%s« を共有したことをお知らせします。
    それを表示

    それでは。" -#: 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." diff --git a/l10n/ja_JP/files.po b/l10n/ja_JP/files.po index 158193bb446..8f9e9397d54 100644 --- a/l10n/ja_JP/files.po +++ b/l10n/ja_JP/files.po @@ -5,14 +5,15 @@ # Translators: # Daisuke Deguchi , 2013 # plazmism , 2013 +# Koichi MATSUMOTO , 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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -98,12 +99,12 @@ msgstr "利用可能なスペースが十分にありません" msgid "Upload cancelled." msgstr "アップロードはキャンセルされました。" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "ファイル転送を実行中です。今このページから移動するとアップロードが中止されます。" -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "URLは空にできません。" @@ -111,8 +112,8 @@ msgstr "URLは空にできません。" msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "無効なフォルダ名です。'Shared' の利用は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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "エラー" @@ -159,7 +160,7 @@ msgstr "元に戻す" #: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" -msgstr[0] "" +msgstr[0] "%n 個のファイルをアップロード中" #: js/filelist.js:518 msgid "files uploading" @@ -187,34 +188,40 @@ msgstr "あなたのストレージは一杯です。ファイルの更新と同 msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "あなたのストレージはほぼ一杯です({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "ダウンロードの準備中です。ファイルサイズが大きい場合は少し時間がかかるかもしれません。" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "無効なフォルダ名です。'Shared' の利用は ownCloud が予約済みです。" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "名前" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "サイズ" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "変更" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n個のフォルダ" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n個のファイル" diff --git a/l10n/ja_JP/files_sharing.po b/l10n/ja_JP/files_sharing.po index 305eb2256c2..a2bd99586b9 100644 --- a/l10n/ja_JP/files_sharing.po +++ b/l10n/ja_JP/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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 09:37+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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" diff --git a/l10n/ja_JP/lib.po b/l10n/ja_JP/lib.po index b0374271597..d6a42e38c1d 100644 --- a/l10n/ja_JP/lib.po +++ b/l10n/ja_JP/lib.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Koichi MATSUMOTO , 2013 # tt yn , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -74,10 +75,6 @@ msgid "" "administrator." msgstr "ファイルは、小さいファイルに分割されてダウンロードされます。もしくは、管理者にお尋ねください。" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "測定できませんでした" - #: json.php:28 msgid "Application is not enabled" msgstr "アプリケーションは無効です" @@ -209,12 +206,12 @@ msgstr "数秒前" #: template/functions.php:81 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" +msgstr[0] "%n 分前" #: template/functions.php:82 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" +msgstr[0] "%n 時間後" #: template/functions.php:83 msgid "today" @@ -227,7 +224,7 @@ msgstr "昨日" #: template/functions.php:85 msgid "%n day go" msgid_plural "%n days ago" -msgstr[0] "" +msgstr[0] "%n 日後" #: template/functions.php:86 msgid "last month" @@ -236,7 +233,7 @@ msgstr "一月前" #: template/functions.php:87 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" +msgstr[0] "%n カ月後" #: template/functions.php:88 msgid "last year" diff --git a/l10n/ja_JP/settings.po b/l10n/ja_JP/settings.po index b9a7baa144b..a82413dc150 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: tt yn \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -123,7 +123,11 @@ msgstr "アプリの更新中にエラーが発生" msgid "Updated" msgstr "更新済み" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "保存中..." @@ -168,7 +172,7 @@ msgstr "ユーザ作成エラー" msgid "A valid password must be provided" msgstr "有効なパスワードを指定する必要があります" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "Japanese (日本語)" @@ -239,106 +243,106 @@ msgstr "このサーバーはインターネットに接続していません。 msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "各ページの読み込み時にタスクを実行する" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "http経由で1分間に1回cron.phpを呼び出すように cron.phpがwebcron サービスに登録されています。" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "cron.phpファイルを1分間に1回実行する為にサーバーのcronサービスを利用する。" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "共有" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "共有APIを有効にする" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "アプリからの共有APIの利用を許可する" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "リンクを許可する" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "リンクによりアイテムを公開することを許可する" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "パブリックなアップロードを許可" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "公開している共有フォルダへのアップロードを共有しているメンバーにも許可" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "再共有を許可する" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "ユーザが共有しているアイテムの再共有を許可する" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "ユーザが誰とでも共有することを許可する" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "ユーザにグループ内のユーザとのみ共有を許可する" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "セキュリティ" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "常にHTTPSを使用する" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "クライアントから %sへの接続を常に暗号化する。" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "強制的なSSL接続を有効/無効にするために、HTTPS経由で %s へ接続してください。" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "ログ" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "ログレベル" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "もっと見る" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "閉じる" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "バージョン" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "WebDAV経由でファイルにアクセスするにはこのアドレスを利用してください" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "ログイン名" diff --git a/l10n/ja_JP/user_ldap.po b/l10n/ja_JP/user_ldap.po index 294bcdd8cc2..69cc0333ba7 100644 --- a/l10n/ja_JP/user_ldap.po +++ b/l10n/ja_JP/user_ldap.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-08-13 09:11-0400\n" -"PO-Revision-Date: 2013-08-13 04:30+0000\n" -"Last-Translator: Daisuke Deguchi \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -156,198 +156,185 @@ msgstr "ユーザログインフィルタ" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "ログインするときに適用するフィルターを定義する。%%uid がログイン時にユーザー名に置き換えられます。" +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "%%uid プレースホルダーを利用してください。例 \"uid=%%uid\"" - -#: 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 "プレースホルダーを利用しないでください。例 \"objectClass=person\"" +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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 "プレースホルダーを利用しないでください。例 \"objectClass=posixGroup\"" +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "接続設定" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "設定はアクティブです" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "チェックを外すと、この設定はスキップされます。" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "ポート" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "バックアップ(レプリカ)ホスト" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "バックアップホストをオプションで指定することができます。メインのLDAP/ADサーバのレプリカである必要があります。" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "バックアップ(レプリカ)ポート" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "メインサーバを無効にする" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "レプリカサーバーにのみ接続します。" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "TLSを利用" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "LDAPS接続のために追加でそれを利用しないで下さい。失敗します。" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "大文字/小文字を区別しないLDAPサーバ(Windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "SSL証明書の確認を無効にする。" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "接続がこのオプションでのみ動作する場合は、LDAPサーバのSSL証明書を %s サーバにインポートしてください。" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "推奨しません、テスト目的でのみ利用してください。" +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." +msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "キャッシュのTTL" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "秒。変更後にキャッシュがクリアされます。" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "ディレクトリ設定" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "ユーザ表示名のフィールド" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "ユーザの表示名の生成に利用するLDAP属性" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "ベースユーザツリー" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "1行に1つのユーザベースDN" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "ユーザ検索属性" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "オプション:1行に1属性" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "グループ表示名のフィールド" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "ユーザのグループ表示名の生成に利用するLDAP属性" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "ベースグループツリー" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "1行に1つのグループベースDN" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "グループ検索属性" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "グループとメンバーの関連付け" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "特殊属性" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "クォータフィールド" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "クォータのデフォルト" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "バイト" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "メールフィールド" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "ユーザのホームフォルダ命名規則" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "ユーザ名を空のままにしてください(デフォルト)。そうでない場合は、LDAPもしくはADの属性を指定してください。" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "内部ユーザ名" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -363,15 +350,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "デフォルトでは、内部ユーザ名はUUID属性から作成されます。これにより、ユーザ名がユニークであり、かつ文字の変換が不要であることを保証します。内部ユーザ名には、[ a-zA-Z0-9_.@- ] の文字のみが有効であるという制限があり、その他の文字は対応する ASCII コードに変換されるか単に無視されます。そのため、他のユーザ名との衝突の回数が増加するでしょう。内部ユーザ名は、内部的にユーザを識別するために用いられ、また、ownCloudにおけるデフォルトのホームフォルダ名としても用いられます。例えば*DAVサービスのように、リモートURLの一部でもあります。この設定により、デフォルトの振る舞いを再定義します。ownCloud 5 以前と同じような振る舞いにするためには、以下のフィールドにユーザ表示名の属性を入力します。空にするとデフォルトの振る舞いとなります。変更は新しくマッピング(追加)されたLDAPユーザにおいてのみ有効となります。" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "内部ユーザ名属性:" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "UUID検出を再定義する" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -382,15 +369,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "デフォルトでは、UUID 属性は自動的に検出されます。UUID属性は、LDAPユーザとLDAPグループを間違いなく識別するために利用されます。また、もしこれを指定しない場合は、内部ユーザ名はUUIDに基づいて作成されます。この設定は再定義することができ、あなたの選択した属性を用いることができます。選択した属性がユーザとグループの両方に対して適用でき、かつユニークであることを確認してください。空であればデフォルトの振る舞いとなります。変更は、新しくマッピング(追加)されたLDAPユーザとLDAPグループに対してのみ有効となります。" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "UUID属性:" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "ユーザ名とLDAPユーザのマッピング" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -404,18 +391,18 @@ msgid "" "experimental stage." msgstr "ユーザ名は(メタ)データの保存と割り当てに使用されます。ユーザを正確に識別して認識するために、個々のLDAPユーザは内部ユーザ名を持っています。これは、ユーザ名からLDAPユーザへのマッピングが必要であることを意味しています。この生成されたユーザ名は、LDAPユーザのUUIDにマッピングされます。加えて、DNがLDAPとのインタラクションを削減するためにキャッシュされますが、識別には利用されません。DNが変わった場合は、変更が検出されます。内部ユーザ名は全体に亘って利用されます。マッピングをクリアすると、いたるところに使われないままの物が残るでしょう。マッピングのクリアは設定に敏感ではありませんが、全てのLDAPの設定に影響を与えます!本番の環境では決してマッピングをクリアしないでください。テストもしくは実験の段階でのみマッピングのクリアを行なってください。" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "ユーザ名とLDAPユーザのマッピングをクリアする" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "グループ名とLDAPグループのマッピングをクリアする" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "設定をテスト" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "ヘルプ" diff --git a/l10n/ka/core.po b/l10n/ka/core.po index a553cde32b6..16224d91946 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -141,51 +141,51 @@ msgstr "" msgid "Settings" msgstr "" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "წამის წინ" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "დღეს" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "გუშინ" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "" @@ -193,23 +193,19 @@ msgstr "" msgid "Choose" msgstr "" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "" @@ -616,14 +612,6 @@ msgid "" "href=\"%s\">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." diff --git a/l10n/ka/files.po b/l10n/ka/files.po index 00dc4cd0813..0ba377534ee 100644 --- a/l10n/ka/files.po +++ b/l10n/ka/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -94,12 +94,12 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "" @@ -107,8 +107,8 @@ msgstr "" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "" @@ -183,34 +183,40 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/ka/files_sharing.po b/l10n/ka/files_sharing.po index 5bc5f41fc52..64ba6094207 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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" diff --git a/l10n/ka/lib.po b/l10n/ka/lib.po index 32eb5dd2cd0..cf8cf5f9064 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/ka/settings.po b/l10n/ka/settings.po index 82c0600bc84..e4fb05fac6b 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-08-04 01:55-0400\n" -"PO-Revision-Date: 2013-08-04 05:01+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "" @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/ka/user_ldap.po b/l10n/ka/user_ldap.po index 2ed240f9a6f..537446f5b40 100644 --- a/l10n/ka/user_ldap.po +++ b/l10n/ka/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-08-04 01:55-0400\n" -"PO-Revision-Date: 2013-08-04 05:02+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "შველა" diff --git a/l10n/ka_GE/core.po b/l10n/ka_GE/core.po index 1da987a21ed..13d2a8bc987 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -141,51 +141,51 @@ msgstr "დეკემბერი" msgid "Settings" msgstr "პარამეტრები" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "წამის წინ" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "დღეს" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "გუშინ" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "გასულ თვეში" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "თვის წინ" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "ბოლო წელს" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "წლის წინ" @@ -193,23 +193,19 @@ msgstr "წლის წინ" msgid "Choose" msgstr "არჩევა" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "უარყოფა" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "კი" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "არა" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "დიახ" @@ -616,14 +612,6 @@ msgid "" "href=\"%s\">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." diff --git a/l10n/ka_GE/files.po b/l10n/ka_GE/files.po index 81c86807103..1706eb1ccdd 100644 --- a/l10n/ka_GE/files.po +++ b/l10n/ka_GE/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -94,12 +94,12 @@ msgstr "საკმარისი ადგილი არ არის" msgid "Upload cancelled." msgstr "ატვირთვა შეჩერებულ იქნა." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "მიმდინარეობს ფაილის ატვირთვა. სხვა გვერდზე გადასვლა გამოიწვევს ატვირთვის შეჩერებას" -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "URL არ შეიძლება იყოს ცარიელი." @@ -107,8 +107,8 @@ msgstr "URL არ შეიძლება იყოს ცარიელი." 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "შეცდომა" @@ -183,34 +183,40 @@ msgstr "თქვენი საცავი გადაივსო. ფა msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "თქვენი საცავი თითქმის გადაივსო ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "გადმოწერის მოთხოვნა მუშავდება. ის მოითხოვს გარკვეულ დროს რაგდან ფაილები არის დიდი ზომის." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "დაუშვებელი ფოლდერის სახელი. 'Shared'–ის გამოყენება რეზერვირებულია Owncloud–ის მიერ" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "სახელი" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "ზომა" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "შეცვლილია" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/ka_GE/files_sharing.po b/l10n/ka_GE/files_sharing.po index 31c89e7e6cd..65b24c1c116 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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/ka_GE/lib.po b/l10n/ka_GE/lib.po index 9546faa3400..3a986486330 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "ვერ განისაზღვრა" - #: json.php:28 msgid "Application is not enabled" msgstr "აპლიკაცია არ არის აქტიური" diff --git a/l10n/ka_GE/settings.po b/l10n/ka_GE/settings.po index c24e0dc7206..a9a26c5bc0b 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -121,7 +121,11 @@ msgstr "შეცდომა აპლიკაციის განახლ msgid "Updated" msgstr "განახლებულია" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "შენახვა..." @@ -166,7 +170,7 @@ msgstr "შეცდომა მომხმარებლის შექმ msgid "A valid password must be provided" msgstr "უნდა მიუთითოთ არსებული პაროლი" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "__language_name__" @@ -237,106 +241,106 @@ msgstr "" msgid "Cron" msgstr "Cron–ი" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "გაუშვი თითო მოქმედება ყველა ჩატვირთულ გვერდზე" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "გაზიარება" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Share API–ის ჩართვა" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "დაუშვი აპლიკაციების უფლება Share API –ზე" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "ლინკების დაშვება" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "მიეცი მომხმარებლებს უფლება რომ გააზიაროს ელემენტები საჯაროდ ლინკებით" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "გადაზიარების დაშვება" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "მიეცით მომხმარებლებს უფლება რომ გააზიაროს მისთვის გაზიარებული" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "მიეცით უფლება მომხმარებლებს გააზიაროს ყველასთვის" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "მიეცით უფლება მომხმარებლებს რომ გააზიაროს მხოლოდ თავიანთი ჯგუფისთვის" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "უსაფრთხოება" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "HTTPS–ის ჩართვა" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "ლოგი" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "ლოგირების დონე" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "უფრო მეტი" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "უფრო ნაკლები" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "ვერსია" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "მომხმარებლის სახელი" diff --git a/l10n/ka_GE/user_ldap.po b/l10n/ka_GE/user_ldap.po index a2f98736a22..da010f03eee 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "მომხმარებლის ფილტრი" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "როცა შემოსვლა განხორციელდება ასეიძლება მოვახდინოთ გაფილტვრა. %%uid შეიცვლება იუზერნეიმით მომხმარებლის ველში." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "გამოიყენეთ %%uid დამასრულებელი მაგ: \"uid=%%uid\"" - -#: 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 "ყოველგვარი დამასრულებელის გარეშე, მაგ: \"objectClass=person\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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 "ყოველგვარი დამასრულებელის გარეშე, მაგ: \"objectClass=posixGroup\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "კავშირის პარამეტრები" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "კონფიგურაცია აქტიურია" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "როცა გადანიშნულია, ეს კონფიგურაცია გამოტოვებული იქნება." -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "პორტი" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "ბექაფ (რეპლიკა) ჰოსტი" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "მიუთითეთ რაიმე ბექაფ ჰოსტი. ის უნდა იყოს ძირითადი LDAP/AD სერვერის რეპლიკა." -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "ბექაფ (რეპლიკა) პორტი" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "გამორთეთ ძირითადი სერვერი" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "გამოიყენეთ TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "არ გამოიყენოთ დამატებით LDAPS კავშირი. ის წარუმატებლად დასრულდება." -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "LDAP server (Windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "გამორთეთ SSL სერთიფიკატის ვალიდაცია." -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "არ არის რეკომენდირებული, გამოიყენეთ მხოლოდ სატესტოდ." - -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "ქეშის სიცოცხლის ხანგრძლივობა" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "წამებში. ცვლილება ასუფთავებს ქეშს." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "დირექტორიის პარამეტრები" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "მომხმარებლის დისფლეის სახელის ფილდი" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "ძირითად მომხმარებელთა სია" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "ერთი მომხმარებლის საწყისი DN ერთ ხაზზე" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "მომხმარებლის ძებნის ატრიბუტი" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "ოფციონალური; თითო ატრიბუტი თითო ხაზზე" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "ჯგუფის დისფლეის სახელის ფილდი" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "ძირითად ჯგუფთა სია" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "ერთი ჯგუფის საწყისი DN ერთ ხაზზე" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "ჯგუფური ძებნის ატრიბუტი" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "ჯგუფის წევრობის ასოციაცია" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "სპეციალური ატრიბუტები" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "ქვოტას ველი" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "საწყისი ქვოტა" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "ბაიტებში" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "იმეილის ველი" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "მომხმარებლის Home დირექტორიის სახელების დარქმევის წესი" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "დატოვეთ ცარიელი მომხმარებლის სახელი (default). სხვა დანარჩენში მიუთითეთ LDAP/AD ატრიბუტი." -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "კავშირის ტესტირება" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "დახმარება" diff --git a/l10n/kn/core.po b/l10n/kn/core.po index a6e47dc7edd..1ebb511ac38 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -141,51 +141,51 @@ msgstr "" msgid "Settings" msgstr "" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "" @@ -193,23 +193,19 @@ msgstr "" msgid "Choose" msgstr "" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "" @@ -616,14 +612,6 @@ msgid "" "href=\"%s\">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." diff --git a/l10n/kn/files.po b/l10n/kn/files.po index 5bee995f8da..810fccb7bf6 100644 --- a/l10n/kn/files.po +++ b/l10n/kn/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -94,12 +94,12 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "" @@ -107,8 +107,8 @@ msgstr "" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "" @@ -183,34 +183,40 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/kn/lib.po b/l10n/kn/lib.po index 6e1f85cdd10..63406f842e7 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/kn/settings.po b/l10n/kn/settings.po index 224c7063ecd..cc0192feeb9 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-07-27 01:56-0400\n" -"PO-Revision-Date: 2013-07-25 05:57+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "" @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/kn/user_ldap.po b/l10n/kn/user_ldap.po index e24987ef4dd..24c7a343258 100644 --- a/l10n/kn/user_ldap.po +++ b/l10n/kn/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-27 01:56-0400\n" -"PO-Revision-Date: 2013-07-27 05:56+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "" diff --git a/l10n/ko/core.po b/l10n/ko/core.po index f8be8d34af6..f99e2b89d90 100644 --- a/l10n/ko/core.po +++ b/l10n/ko/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -143,51 +143,51 @@ msgstr "12월" msgid "Settings" msgstr "설정" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "초 전" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "오늘" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "어제" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "지난 달" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "개월 전" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "작년" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "년 전" @@ -195,23 +195,19 @@ msgstr "년 전" msgid "Choose" msgstr "선택" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "취소" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "예" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "아니요" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "승락" @@ -618,14 +614,6 @@ msgid "" "href=\"%s\">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." diff --git a/l10n/ko/files.po b/l10n/ko/files.po index ea560820d2e..cdab5cceeb1 100644 --- a/l10n/ko/files.po +++ b/l10n/ko/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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -96,12 +96,12 @@ msgstr "여유 공간이 부족합니다" msgid "Upload cancelled." msgstr "업로드가 취소되었습니다." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "파일 업로드가 진행 중입니다. 이 페이지를 벗어나면 업로드가 취소됩니다." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "URL을 입력해야 합니다." @@ -109,8 +109,8 @@ msgstr "URL을 입력해야 합니다." 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "오류" @@ -185,34 +185,40 @@ msgstr "저장 공간이 가득 찼습니다. 파일을 업데이트하거나 msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "저장 공간이 거의 가득 찼습니다 ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "다운로드가 준비 중입니다. 파일 크기가 크다면 시간이 오래 걸릴 수도 있습니다." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "폴더 이름이 유효하지 않습니다. " -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "이름" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "크기" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "수정됨" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/ko/files_sharing.po b/l10n/ko/files_sharing.po index f3be635c899..6de0e6cf3d2 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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 7b58ff4c090..780a12d6343 100644 --- a/l10n/ko/lib.po +++ b/l10n/ko/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -74,10 +74,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "결정할 수 없음" - #: json.php:28 msgid "Application is not enabled" msgstr "앱이 활성화되지 않았습니다" diff --git a/l10n/ko/settings.po b/l10n/ko/settings.po index 72c04c28e10..b3f6b33db6d 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:10+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" @@ -121,7 +121,11 @@ msgstr "앱을 업데이트하는 중 오류 발생" msgid "Updated" msgstr "업데이트됨" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "저장 중..." @@ -166,7 +170,7 @@ msgstr "사용자 생성 오류" msgid "A valid password must be provided" msgstr "올바른 암호를 입력해야 함" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "한국어" @@ -237,106 +241,106 @@ msgstr "" msgid "Cron" msgstr "크론" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "개별 페이지를 불러올 때마다 실행" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "공유" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "공유 API 사용하기" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "앱에서 공유 API를 사용할 수 있도록 허용" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "링크 허용" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "사용자가 개별 항목의 링크를 공유할 수 있도록 허용" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "재공유 허용" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "사용자에게 공유된 항목을 다시 공유할 수 있도록 허용" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "누구나와 공유할 수 있도록 허용" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "사용자가 속해 있는 그룹의 사용자와만 공유할 수 있도록 허용" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "보안" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "HTTPS 강제 사용" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "로그" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "로그 단계" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "더 중요함" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "덜 중요함" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "버전" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "암호화" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "로그인 이름" diff --git a/l10n/ko/user_ldap.po b/l10n/ko/user_ldap.po index f583c109bdf..903dc63b87f 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "사용자 로그인 필터" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "로그인을 시도할 때 적용할 필터입니다. %%uid는 로그인 작업에서의 사용자 이름으로 대체됩니다." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "%%uid 자리 비움자를 사용하십시오. 예제: \"uid=%%uid\"\"" - -#: 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 "자리 비움자를 사용할 수 없습니다. 예제: \"objectClass=person\"" +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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 "자리 비움자를 사용할 수 없습니다. 예제: \"objectClass=posixGroup\"" +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "연결 설정" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "구성 활성화" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "포트" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "백업 (복제) 포트" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "백업 (복제) 포트" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "주 서버 비활성화" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "TLS 사용" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "서버에서 대소문자를 구분하지 않음 (Windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "SSL 인증서 유효성 검사를 해제합니다." -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "추천하지 않음, 테스트로만 사용하십시오." - -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "초. 항목 변경 시 캐시가 갱신됩니다." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "디렉토리 설정" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "사용자의 표시 이름 필드" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "기본 사용자 트리" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "사용자 DN을 한 줄에 하나씩 입력하십시오" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "사용자 검색 속성" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "그룹의 표시 이름 필드" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "기본 그룹 트리" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "그룹 기본 DN을 한 줄에 하나씩 입력하십시오" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "그룹 검색 속성" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "그룹-회원 연결" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "바이트" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "사용자 이름을 사용하려면 비워 두십시오(기본값). 기타 경우 LDAP/AD 속성을 지정하십시오." -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "도움말" diff --git a/l10n/ku_IQ/core.po b/l10n/ku_IQ/core.po index bb8c2a9f710..d258cb5e7f3 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -141,55 +141,55 @@ msgstr "" msgid "Settings" msgstr "ده‌ستكاری" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "" @@ -197,23 +197,19 @@ msgstr "" msgid "Choose" msgstr "" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "" @@ -620,14 +616,6 @@ msgid "" "href=\"%s\">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." diff --git a/l10n/ku_IQ/files.po b/l10n/ku_IQ/files.po index b2937589101..6a342f3dfac 100644 --- a/l10n/ku_IQ/files.po +++ b/l10n/ku_IQ/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -94,12 +94,12 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "ناونیشانی به‌سته‌ر نابێت به‌تاڵ بێت." @@ -107,8 +107,8 @@ msgstr "ناونیشانی به‌سته‌ر نابێت به‌تاڵ بێت." 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "هه‌ڵه" @@ -184,35 +184,41 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "ناو" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/ku_IQ/files_sharing.po b/l10n/ku_IQ/files_sharing.po index 764a162a141..83b88021ea2 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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 4ae5859b98a..983e005aa24 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/ku_IQ/settings.po b/l10n/ku_IQ/settings.po index 86c93e12fab..9a21f1af384 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "پاشکه‌وتده‌کات..." @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "نهێنیکردن" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/ku_IQ/user_ldap.po b/l10n/ku_IQ/user_ldap.po index 2e3b32f82f7..c2ca53a1932 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "یارمەتی" diff --git a/l10n/lb/core.po b/l10n/lb/core.po index 8af84cd24e0..998bef35792 100644 --- a/l10n/lb/core.po +++ b/l10n/lb/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -142,55 +142,55 @@ msgstr "Dezember" msgid "Settings" msgstr "Astellungen" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "Sekonnen hir" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "haut" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "gëschter" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "leschte Mount" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "Méint hir" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "Lescht Joer" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "Joren hir" @@ -198,23 +198,19 @@ msgstr "Joren hir" msgid "Choose" msgstr "Auswielen" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Ofbriechen" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "Feeler beim Luede vun der Virlag fir d'Fichiers-Selektioun" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Jo" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Nee" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "OK" @@ -621,14 +617,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "Hallo,

    ech wëll just Bescheed soen dass den/d' %s, »%s« mat dir gedeelt huet.
    Kucken!

    E schéine Bonjour!" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "zeréck" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "weider" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/lb/files.po b/l10n/lb/files.po index 0c2ffd231e4..2043b2dca23 100644 --- a/l10n/lb/files.po +++ b/l10n/lb/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -94,12 +94,12 @@ msgstr "" msgid "Upload cancelled." msgstr "Upload ofgebrach." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "File Upload am gaang. Wann's de des Säit verléiss gëtt den Upload ofgebrach." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "" @@ -107,8 +107,8 @@ msgstr "" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Fehler" @@ -184,35 +184,41 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Numm" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Gréisst" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Geännert" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/lb/files_sharing.po b/l10n/lb/files_sharing.po index d221e3871f4..caaaa536d10 100644 --- a/l10n/lb/files_sharing.po +++ b/l10n/lb/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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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 1e270aee7ae..8ee53d4cf04 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -74,10 +74,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/lb/settings.po b/l10n/lb/settings.po index 5dc543150ee..9a9db6a3fc5 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Speicheren..." @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "__language_name__" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Share API aschalten" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Erlab Apps d'Share API ze benotzen" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Links erlaben" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Resharing erlaben" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Useren erlaben mat egal wiem ze sharen" -#: templates/admin.php:171 +#: templates/admin.php:163 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:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Log" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Méi" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/lb/user_ldap.po b/l10n/lb/user_ldap.po index ef9cdec3bf8..291529dde43 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Hëllef" diff --git a/l10n/lt_LT/core.po b/l10n/lt_LT/core.po index 40770b80fd5..bb9ac1fab08 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -143,59 +143,59 @@ msgstr "Gruodis" msgid "Settings" msgstr "Nustatymai" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "prieš sekundę" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "šiandien" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "vakar" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "praeitą mėnesį" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "prieš mėnesį" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "praeitais metais" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "prieš metus" @@ -203,23 +203,19 @@ msgstr "prieš metus" msgid "Choose" msgstr "Pasirinkite" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Atšaukti" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "Klaida pakraunant failų naršyklę" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Taip" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Ne" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Gerai" @@ -626,14 +622,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "atgal" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "kitas" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/lt_LT/files.po b/l10n/lt_LT/files.po index 0c3e536b2b6..e4819c2b8f5 100644 --- a/l10n/lt_LT/files.po +++ b/l10n/lt_LT/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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -95,12 +95,12 @@ msgstr "Nepakanka vietos" msgid "Upload cancelled." msgstr "Įkėlimas atšauktas." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Failo įkėlimas pradėtas. Jei paliksite šį puslapį, įkėlimas nutrūks." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "URL negali būti tuščias." @@ -108,8 +108,8 @@ msgstr "URL negali būti tuščias." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Negalimas aplanko pavadinimas. 'Shared' pavadinimas yra rezervuotas 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Klaida" @@ -186,36 +186,42 @@ msgstr "Jūsų visa vieta serveryje užimta" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "Jūsų vieta serveryje beveik visa užimta ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Jūsų atsisiuntimas yra paruošiamas. tai gali užtrukti jei atsisiunčiamas didelis failas." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Negalimas aplanko pavadinimas. 'Shared' pavadinimas yra rezervuotas ownCloud" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Pavadinimas" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Dydis" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Pakeista" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/lt_LT/files_sharing.po b/l10n/lt_LT/files_sharing.po index 54d647f95f3..20ba007ff21 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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/lt_LT/lib.po b/l10n/lt_LT/lib.po index 14bb5eb6343..34cc04cbf53 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -74,10 +74,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "Programa neįjungta" diff --git a/l10n/lt_LT/settings.po b/l10n/lt_LT/settings.po index 5dd33ac3419..57e2f762a4e 100644 --- a/l10n/lt_LT/settings.po +++ b/l10n/lt_LT/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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -121,7 +121,11 @@ msgstr "Įvyko klaida atnaujinant programą" msgid "Updated" msgstr "Atnaujinta" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Saugoma..." @@ -166,7 +170,7 @@ msgstr "Klaida kuriant vartotoją" msgid "A valid password must be provided" msgstr "Slaptažodis turi būti tinkamas" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "Kalba" @@ -237,106 +241,106 @@ msgstr "" msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Dalijimasis" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Lesti nuorodas" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Leisti dalintis" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "Saugumas" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Žurnalas" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Žurnalo išsamumas" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Daugiau" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Mažiau" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Versija" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Vartotojo vardas" diff --git a/l10n/lt_LT/user_ldap.po b/l10n/lt_LT/user_ldap.po index c432e2956b7..af344de49a7 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "Grupės filtras" -#: 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Prievadas" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Naudoti TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Išjungti SSL sertifikato tikrinimą." -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "Nerekomenduojama, naudokite tik testavimui." - -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Pagalba" diff --git a/l10n/lv/core.po b/l10n/lv/core.po index c4920a2fa3a..c5a0608398f 100644 --- a/l10n/lv/core.po +++ b/l10n/lv/core.po @@ -3,12 +3,13 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# stendec , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -20,7 +21,7 @@ msgstr "" #: ajax/share.php:97 #, php-format msgid "%s shared »%s« with you" -msgstr "" +msgstr "%s kopīgots »%s« ar jums" #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." @@ -141,59 +142,59 @@ msgstr "Decembris" msgid "Settings" msgstr "Iestatījumi" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "sekundes atpakaļ" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "Tagad, %n minūtes" +msgstr[1] "Pirms %n minūtes" +msgstr[2] "Pirms %n minūtēm" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "Šodien, %n stundas" +msgstr[1] "Pirms %n stundas" +msgstr[2] "Pirms %n stundām" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "šodien" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "vakar" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "Šodien, %n dienas" +msgstr[1] "Pirms %n dienas" +msgstr[2] "Pirms %n dienām" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "pagājušajā mēnesī" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "Šomēnes, %n mēneši" +msgstr[1] "Pirms %n mēneša" +msgstr[2] "Pirms %n mēnešiem" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "mēnešus atpakaļ" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "gājušajā gadā" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "gadus atpakaļ" @@ -201,23 +202,19 @@ msgstr "gadus atpakaļ" msgid "Choose" msgstr "Izvēlieties" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Atcelt" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" -msgstr "" +msgstr "Kļūda ielādējot datņu ņēmēja veidni" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Jā" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Nē" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Labi" @@ -288,7 +285,7 @@ msgstr "Parole" #: js/share.js:198 msgid "Allow Public Upload" -msgstr "" +msgstr "Ļaut publisko augšupielādi." #: js/share.js:202 msgid "Email link to person" @@ -384,7 +381,7 @@ msgstr "Atjaunināšana beidzās sekmīgi. Tagad pārsūta jūs uz ownCloud." #: lostpassword/controller.php:61 #, php-format msgid "%s password reset" -msgstr "" +msgstr "%s paroles maiņa" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" @@ -395,11 +392,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 "Saite uz paroles atjaunošanas vietu ir nosūtīta uz epastu.
    Ja vēstu nav atnākusi, pārbaudiet epasta mēstuļu mapi.
    Jā tās tur nav, jautājiet sistēmas administratoram." #: lostpassword/templates/lostpassword.php:12 msgid "Request failed!
    Did you make sure your email/username was right?" -msgstr "" +msgstr "Pieprasījums neizdevās!
    Vai Jūs pārliecinājāties ka epasts/lietotājvārds ir pareizi?" #: lostpassword/templates/lostpassword.php:15 msgid "You will receive a link to reset your password via Email." @@ -416,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 "Jūsu faili ir šifrēti. Ja nav iespējota atgūšanas kods, tad nebūs iespēja atjaunot jūsu failus pēc tam kad tiks mainīta parole. ja neesat pārliecināts kā rīkoties, jautājiet administratoram. Vai tiešam vēlaties turpināt?" #: lostpassword/templates/lostpassword.php:24 msgid "Yes, I really want to reset my password now" -msgstr "" +msgstr "Jā, Es tiešām vēlos mainīt savu paroli" #: lostpassword/templates/lostpassword.php:27 msgid "Request reset" @@ -479,7 +476,7 @@ msgid "" "View it: %s\n" "\n" "Cheers!" -msgstr "" +msgstr "Sveiks,\nTikai daru tev zināmu ka %s dalās %s ar tevi.\nApskati to: %s\n\nJaukiņi Labiņi!" #: templates/edit_categories_dialog.php:4 msgid "Edit categories" @@ -496,12 +493,12 @@ msgstr "Brīdinājums par drošību" #: templates/installation.php:25 msgid "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" -msgstr "" +msgstr "Jūsu PHP ir ievainojamība pret NULL Byte uzbrukumiem (CVE-2006-7243)" #: templates/installation.php:26 #, php-format msgid "Please update your PHP installation to use %s securely." -msgstr "" +msgstr "Lūdzu atjauniniet PHP instalāciju lai varētu droši izmantot %s." #: templates/installation.php:32 msgid "" @@ -526,7 +523,7 @@ msgstr "Visticamāk, jūsu datu direktorija un datnes ir pieejamas no interneta, msgid "" "For information how to properly configure your server, please see the documentation." -msgstr "" +msgstr "Vairāk informācijai kā konfigurēt serveri, lūdzu skatiet dokumentāciju." #: templates/installation.php:47 msgid "Create an admin account" @@ -577,7 +574,7 @@ msgstr "Pabeigt iestatīšanu" #: templates/layout.user.php:41 #, php-format msgid "%s is available. Get more information on how to update." -msgstr "" +msgstr "%s ir pieejams. Uzziniet vairāk kā atjaunināt." #: templates/layout.user.php:66 msgid "Log out" @@ -585,7 +582,7 @@ msgstr "Izrakstīties" #: templates/layout.user.php:100 msgid "More apps" -msgstr "" +msgstr "Vairāk programmu" #: templates/login.php:9 msgid "Automatic logon rejected!" @@ -622,15 +619,7 @@ msgstr "Alternatīvās pieteikšanās" 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 "iepriekšējā" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "nākamā" +msgstr "Sveiks,

    Tikai daru tev zināmu ka %s dalās %s ar tevi.
    Apskati to!

    Jaukiņi Labiņi!" #: templates/update.php:3 #, php-format diff --git a/l10n/lv/files.po b/l10n/lv/files.po index bc8feee326f..3b3ce3b88ed 100644 --- a/l10n/lv/files.po +++ b/l10n/lv/files.po @@ -3,12 +3,13 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# stendec , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -29,11 +30,11 @@ msgstr "Nevarēja pārvietot %s" #: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." -msgstr "" +msgstr "Nevar uzstādīt augšupielādes mapi." #: ajax/upload.php:22 msgid "Invalid Token" -msgstr "" +msgstr "Nepareiza pilnvara" #: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" @@ -94,21 +95,21 @@ msgstr "Nepietiek brīvas vietas" msgid "Upload cancelled." msgstr "Augšupielāde ir atcelta." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Notiek augšupielāde. Pametot lapu tagad, tiks atcelta augšupielāde." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "URL nevar būt tukšs." #: js/file-upload.js:238 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" -msgstr "" +msgstr "Kļūdains mapes nosaukums. 'Shared' lietošana ir rezervēta no 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Kļūda" @@ -155,13 +156,13 @@ msgstr "atsaukt" #: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "%n" +msgstr[1] "Augšupielāde %n failu" +msgstr[2] "Augšupielāde %n failus" #: js/filelist.js:518 msgid "files uploading" -msgstr "" +msgstr "fails augšupielādējas" #: js/files.js:52 msgid "'.' is an invalid file name." @@ -185,46 +186,52 @@ msgstr "Jūsu krātuve ir pilna, datnes vairs nevar augšupielādēt vai sinhron msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "Jūsu krātuve ir gandrīz pilna ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Tiek sagatavota lejupielāde. Tas var aizņemt kādu laiciņu, ja datnes ir lielas." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Nederīgs mapes nosaukums. “Koplietots” izmantojums ir rezervēts ownCloud servisam." -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Nosaukums" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Izmērs" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Mainīts" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "%n mapes" +msgstr[1] "%n mape" +msgstr[2] "%n mapes" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "%n faili" +msgstr[1] "%n fails" +msgstr[2] "%n faili" #: lib/app.php:73 #, php-format msgid "%s could not be renamed" -msgstr "" +msgstr "%s nevar tikt pārsaukts" #: lib/helper.php:11 templates/index.php:18 msgid "Upload" @@ -326,11 +333,11 @@ msgstr "Šobrīd tiek caurskatīts" #: templates/part.list.php:74 msgid "directory" -msgstr "" +msgstr "direktorija" #: templates/part.list.php:76 msgid "directories" -msgstr "" +msgstr "direktorijas" #: templates/part.list.php:85 msgid "file" diff --git a/l10n/lv/files_external.po b/l10n/lv/files_external.po index ac2e481d533..87322e13a61 100644 --- a/l10n/lv/files_external.po +++ b/l10n/lv/files_external.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# stendec , 2013 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:05+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-16 07:00+0000\n" +"Last-Translator: stendec \n" "Language-Team: Latvian (http://www.transifex.com/projects/p/owncloud/language/lv/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -17,7 +18,7 @@ msgstr "" "Language: lv\n" "Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);\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 "Piešķirta pieeja" @@ -25,7 +26,7 @@ msgstr "Piešķirta pieeja" msgid "Error configuring Dropbox storage" msgstr "Kļūda, konfigurējot Dropbox krātuvi" -#: js/dropbox.js:65 js/google.js:66 +#: js/dropbox.js:65 js/google.js:86 msgid "Grant access" msgstr "Piešķirt pieeju" @@ -33,29 +34,29 @@ msgstr "Piešķirt pieeju" msgid "Please provide a valid Dropbox app key and secret." msgstr "Lūdzu, norādiet derīgu Dropbox lietotnes atslēgu un noslēpumu." -#: js/google.js:36 js/google.js:93 +#: js/google.js:42 js/google.js:121 msgid "Error configuring Google Drive storage" msgstr "Kļūda, konfigurējot Google Drive krātuvi" -#: lib/config.php:447 +#: lib/config.php:453 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:450 +#: lib/config.php:457 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:453 +#: lib/config.php:460 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 "Brīdinājums: PHP Curl atbalsts nav instalēts. OwnCloud / WebDAV vai GoogleDrive montēšana nav iespējama. Lūdziet sistēmas administratoram lai tas tiek uzstādīts." #: templates/settings.php:3 msgid "External Storage" diff --git a/l10n/lv/files_sharing.po b/l10n/lv/files_sharing.po index 1afacc6cca0..71c4b1fd73f 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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/files_trashbin.po b/l10n/lv/files_trashbin.po index 0bee8becab5..06237b847d0 100644 --- a/l10n/lv/files_trashbin.po +++ b/l10n/lv/files_trashbin.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# stendec , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-16 08:10+0000\n" +"Last-Translator: stendec \n" "Language-Team: Latvian (http://www.transifex.com/projects/p/owncloud/language/lv/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -54,20 +55,20 @@ msgstr "Dzēsts" #: js/trash.js:191 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "Nekas, %n mapes" +msgstr[1] "%n mape" +msgstr[2] "%n mapes" #: js/trash.js:197 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "Neviens! %n faaili" +msgstr[1] "%n fails" +msgstr[2] "%n faili" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" -msgstr "" +msgstr "atjaunots" #: templates/index.php:9 msgid "Nothing in here. Your trash bin is empty!" diff --git a/l10n/lv/lib.po b/l10n/lv/lib.po index 94dcd5afe01..36471317d5a 100644 --- a/l10n/lv/lib.po +++ b/l10n/lv/lib.po @@ -3,12 +3,13 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# stendec , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -40,7 +41,7 @@ msgstr "Administratori" #: app.php:836 #, php-format msgid "Failed to upgrade \"%s\"." -msgstr "" +msgstr "Kļūda atjauninot \"%s\"" #: defaults.php:35 msgid "web services under your control" @@ -49,7 +50,7 @@ msgstr "tīmekļa servisi tavā varā" #: files.php:66 files.php:98 #, php-format msgid "cannot open \"%s\"" -msgstr "" +msgstr "Nevar atvērt \"%s\"" #: files.php:226 msgid "ZIP download is turned off." @@ -71,11 +72,7 @@ msgstr "Izvēlētās datnes ir pārāk lielas, lai izveidotu zip datni." 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" +msgstr "Lejupielādējiet savus failus mazākās daļās, atsevišķi vai palūdziet tos administratoram." #: json.php:28 msgid "Application is not enabled" @@ -167,7 +164,7 @@ msgstr "Izmest šo lietotāju no MySQL." #: setup/oci.php:34 msgid "Oracle connection could not be established" -msgstr "" +msgstr "Nevar izveidot savienojumu ar Oracle" #: setup/oci.php:41 setup/oci.php:113 msgid "Oracle username and/or password not valid" @@ -210,14 +207,14 @@ msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -msgstr[2] "" +msgstr[2] "Pirms %n minūtēm" #: template/functions.php:82 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -msgstr[2] "" +msgstr[2] "Pirms %n stundām" #: template/functions.php:83 msgid "today" @@ -232,7 +229,7 @@ msgid "%n day go" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -msgstr[2] "" +msgstr[2] "Pirms %n dienām" #: template/functions.php:86 msgid "last month" @@ -243,7 +240,7 @@ msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -msgstr[2] "" +msgstr[2] "Pirms %n mēnešiem" #: template/functions.php:88 msgid "last year" @@ -255,7 +252,7 @@ msgstr "gadus atpakaļ" #: template.php:297 msgid "Caused by:" -msgstr "" +msgstr "Cēlonis:" #: vcategories.php:188 vcategories.php:249 #, php-format diff --git a/l10n/lv/settings.po b/l10n/lv/settings.po index a4ece9b54c1..da5e348552e 100644 --- a/l10n/lv/settings.po +++ b/l10n/lv/settings.po @@ -3,12 +3,13 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# stendec , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -28,7 +29,7 @@ msgstr "Autentifikācijas kļūda" #: ajax/changedisplayname.php:31 msgid "Your display name has been changed." -msgstr "" +msgstr "Jūsu redzamais vārds ir mainīts." #: ajax/changedisplayname.php:34 msgid "Unable to change display name" @@ -120,7 +121,11 @@ msgstr "Kļūda, atjauninot lietotni" msgid "Updated" msgstr "Atjaunināta" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Saglabā..." @@ -165,7 +170,7 @@ msgstr "Kļūda, veidojot lietotāju" msgid "A valid password must be provided" msgstr "Jānorāda derīga parole" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "__valodas_nosaukums__" @@ -180,7 +185,7 @@ msgid "" "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 "" +msgstr "Jūsu datu direktorija un faili visticamāk ir pieejami no interneta. .htaccess fails nedarbojas. Ir rekomendēts konfigurēt serveri tā lai jūsu datu direktorija nav lasāma vai pārvietot to ārpus tīmekļa servera dokumentu mapes." #: templates/admin.php:29 msgid "Setup Warning" @@ -195,7 +200,7 @@ msgstr "Jūsu serveris vēl nav pareizi iestatīts, lai ļautu sinhronizēt datn #: templates/admin.php:33 #, php-format msgid "Please double check the installation guides." -msgstr "" +msgstr "Lūdzu kārtīgi izlasiet uzstādīšanas norādījumus." #: templates/admin.php:44 msgid "Module 'fileinfo' missing" @@ -217,7 +222,7 @@ msgid "" "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." -msgstr "" +msgstr "Sistēmas lokalizāciju nevar nomainīt uz %s. Tas nozīmē ka var rasties sarežģījumi ar dažu burtu attēlošanu failu nosaukumos. Ir rekomendēts uzstādīt nepieciešamās pakotnes lai atbalstītu %s lokalizāciju." #: templates/admin.php:75 msgid "Internet connection not working" @@ -230,112 +235,112 @@ msgid "" "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." -msgstr "" +msgstr "Šim serverim nav savienojums ar internetu. Tas nozīmē ka nebūs tādas iespējas kā ārējo datu nesēju montēšana, paziņojumi par atjauninājumiem vai citu izstrādātāju programmu uzstādīšana. Attālināta failu piekļuve vai paziņojumu epastu sūtīšana iespējams arī nedarbosies. Ir rekomendēts iespējot interneta savienojumu lai gūtu iespēju izmantotu visus risinājumus." #: templates/admin.php:92 msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Izpildīt vienu uzdevumu ar katru ielādēto lapu" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." -msgstr "" +msgstr "cron.php ir reģistrēts webcron servisā lai izsauktu cron.php vienreiz minūtē caur http." -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." -msgstr "" +msgstr "Izmantojiet sistēmas cron servisu lai izsauktu cron.php reizi minūtē." -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Dalīšanās" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Aktivēt koplietošanas API" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Ļauj lietotnēm izmantot koplietošanas API" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Atļaut saites" -#: templates/admin.php:143 +#: templates/admin.php:135 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:151 +#: templates/admin.php:143 msgid "Allow public uploads" -msgstr "" +msgstr "Atļaut publisko augšupielādi" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" -msgstr "" +msgstr "Ļaut lietotājiem iespējot atļaut citiem augšupielādēt failus viņu publiskajās mapēs" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Atļaut atkārtotu koplietošanu" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "Ļaut lietotājiem dalīties ar vienumiem atkārtoti" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Ļaut lietotājiem dalīties ar visiem" -#: templates/admin.php:171 +#: templates/admin.php:163 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:178 +#: templates/admin.php:170 msgid "Security" msgstr "Drošība" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "Uzspiest HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." -msgstr "" +msgstr "Uzspiest klientiem pieslēgties pie %s caur šifrētu savienojumu." -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." -msgstr "" +msgstr "Lūdzu slēdzieties pie %s caur HTTPS lai iespējotu vai atspējotu SSL izpildīšanu" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Žurnāls" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Žurnāla līmenis" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Vairāk" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Mazāk" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Versija" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "Lietojiet šo adresi lai piekļūtu saviem failiem ar WebDAV" + +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" msgstr "" #: templates/users.php:21 @@ -475,13 +496,13 @@ msgstr "Izveidot" #: templates/users.php:36 msgid "Admin Recovery Password" -msgstr "" +msgstr "Administratora atgūšanas parole" #: 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 "Ievadiet atgūšanas paroli, lai varētu atgūt lietotāja failus paroles maiņas laikā." #: templates/users.php:42 msgid "Default Storage" diff --git a/l10n/lv/user_ldap.po b/l10n/lv/user_ldap.po index 92d33e2add1..3811f911bae 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "Lietotāja ierakstīšanās filtrs" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Definē filtru, ko izmantot, kad mēģina ierakstīties. %%uid ierakstīšanās darbībā aizstāj lietotājvārdu." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "lieto %%uid vietturi, piemēram, \"uid=%%uid\"" - -#: templates/settings.php:56 msgid "User List Filter" msgstr "Lietotāju saraksta filtrs" -#: templates/settings.php:59 -msgid "Defines the filter to apply, when retrieving users." -msgstr "Definē filtru, ko izmantot, kad saņem lietotāju sarakstu." - -#: templates/settings.php:60 -msgid "without any placeholder, e.g. \"objectClass=person\"." -msgstr "bez jebkādiem vietturiem, piemēram, \"objectClass=person\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "Grupu filtrs" -#: templates/settings.php:64 -msgid "Defines the filter to apply, when retrieving groups." -msgstr "Definē filtru, ko izmantot, kad saņem grupu sarakstu." - -#: templates/settings.php:65 -msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "bez jebkādiem vietturiem, piemēram, \"objectClass=posixGroup\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "Savienojuma iestatījumi" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "Konfigurācija ir aktīva" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "Ja nav atzīmēts, šī konfigurācija tiks izlaista." -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Ports" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "Rezerves (kopija) serveris" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "Norādi rezerves serveri (nav obligāti). Tam ir jābūt galvenā LDAP/AD servera kopijai." -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "Rezerves (kopijas) ports" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "Deaktivēt galveno serveri" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Lietot TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "Neizmanto papildu LDAPS savienojumus! Tas nestrādās." -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "Reģistrnejutīgs LDAP serveris (Windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Izslēgt SSL sertifikātu validēšanu." -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "Nav ieteicams, izmanto tikai testēšanai!" - -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "Kešatmiņas dzīvlaiks" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "sekundēs. Izmaiņas iztukšos kešatmiņu." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "Direktorijas iestatījumi" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "Lietotāja redzamā vārda lauks" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "Bāzes lietotāju koks" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "Viena lietotāju bāzes DN rindā" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "Lietotāju meklēšanas atribūts" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "Neobligāti; viens atribūts rindā" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "Grupas redzamā nosaukuma lauks" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "Bāzes grupu koks" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "Viena grupu bāzes DN rindā" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "Grupu meklēšanas atribūts" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "Grupu piederības asociācija" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "Īpašie atribūti" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "Kvotu lauks" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "Kvotas noklusējums" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "baitos" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "E-pasta lauks" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "Lietotāja mājas mapes nosaukšanas kārtula" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "Atstāt tukšu lietotāja vārdam (noklusējuma). Citādi, norādi LDAP/AD atribūtu." -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "Testa konfigurācija" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Palīdzība" diff --git a/l10n/mk/core.po b/l10n/mk/core.po index b99d5913b45..701879cd51a 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -141,55 +141,55 @@ msgstr "Декември" msgid "Settings" msgstr "Подесувања" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "пред секунди" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "денеска" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "вчера" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "минатиот месец" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "пред месеци" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "минатата година" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "пред години" @@ -197,23 +197,19 @@ msgstr "пред години" msgid "Choose" msgstr "Избери" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Откажи" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Да" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Не" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Во ред" @@ -620,14 +616,6 @@ msgid "" "href=\"%s\">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." diff --git a/l10n/mk/files.po b/l10n/mk/files.po index 7273af472ee..a5d3ad32194 100644 --- a/l10n/mk/files.po +++ b/l10n/mk/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -94,12 +94,12 @@ msgstr "" msgid "Upload cancelled." msgstr "Преземањето е прекинато." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Подигање на датотека е во тек. Напуштење на страницата ќе го прекине." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "Адресата неможе да биде празна." @@ -107,8 +107,8 @@ msgstr "Адресата неможе да биде празна." 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Грешка" @@ -184,35 +184,41 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Име" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Големина" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Променето" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/mk/files_sharing.po b/l10n/mk/files_sharing.po index ffd5a17d6e7..f669e2ffd24 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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 a8128ea681f..e22d5843f50 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "Апликацијата не е овозможена" diff --git a/l10n/mk/settings.po b/l10n/mk/settings.po index 8745b876368..63eed628e92 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:10+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" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Снимам..." @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "__language_name__" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Записник" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Ниво на логирање" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Повеќе" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Помалку" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Верзија" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "Енкрипција" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/mk/user_ldap.po b/l10n/mk/user_ldap.po index c98528b81ec..323404d6364 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Помош" diff --git a/l10n/ml_IN/core.po b/l10n/ml_IN/core.po index 9cf341368a1..fccd1c57f6e 100644 --- a/l10n/ml_IN/core.po +++ b/l10n/ml_IN/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -141,55 +141,55 @@ msgstr "" msgid "Settings" msgstr "" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "" @@ -197,23 +197,19 @@ msgstr "" msgid "Choose" msgstr "" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "" @@ -620,14 +616,6 @@ msgid "" "href=\"%s\">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." diff --git a/l10n/ml_IN/files.po b/l10n/ml_IN/files.po index 6152a6603be..83b5a5da14d 100644 --- a/l10n/ml_IN/files.po +++ b/l10n/ml_IN/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -94,12 +94,12 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "" @@ -107,8 +107,8 @@ msgstr "" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "" @@ -184,35 +184,41 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/ml_IN/lib.po b/l10n/ml_IN/lib.po index 8da360f24d9..0e8c35fca63 100644 --- a/l10n/ml_IN/lib.po +++ b/l10n/ml_IN/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/ml_IN/settings.po b/l10n/ml_IN/settings.po index e3333f6983a..ae59755b18c 100644 --- a/l10n/ml_IN/settings.po +++ b/l10n/ml_IN/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-27 01:56-0400\n" -"PO-Revision-Date: 2013-07-25 05:57+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "" @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/ml_IN/user_ldap.po b/l10n/ml_IN/user_ldap.po index ec0a03b42ce..a7b06da5286 100644 --- a/l10n/ml_IN/user_ldap.po +++ b/l10n/ml_IN/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-27 01:56-0400\n" -"PO-Revision-Date: 2013-07-27 05:56+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "" diff --git a/l10n/ms_MY/core.po b/l10n/ms_MY/core.po index 12142533623..cfb078e9e2a 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -141,51 +141,51 @@ msgstr "Disember" msgid "Settings" msgstr "Tetapan" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "" @@ -193,23 +193,19 @@ msgstr "" msgid "Choose" msgstr "" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Batal" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Ya" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Tidak" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Ok" @@ -616,14 +612,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "sebelum" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "seterus" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/ms_MY/files.po b/l10n/ms_MY/files.po index 4ac055f2b8d..83db5d48b58 100644 --- a/l10n/ms_MY/files.po +++ b/l10n/ms_MY/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -94,12 +94,12 @@ msgstr "" msgid "Upload cancelled." msgstr "Muatnaik dibatalkan." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "" @@ -107,8 +107,8 @@ msgstr "" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Ralat" @@ -183,34 +183,40 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Nama" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Saiz" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Dimodifikasi" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/ms_MY/files_sharing.po b/l10n/ms_MY/files_sharing.po index 954e77ca28a..7ce6237f3d0 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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 529c2d96124..7f34225a016 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/ms_MY/settings.po b/l10n/ms_MY/settings.po index ea53a0cd7ea..c18b8be698a 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Simpan..." @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "_nama_bahasa_" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Log" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Tahap Log" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Lanjutan" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/ms_MY/user_ldap.po b/l10n/ms_MY/user_ldap.po index 80b893685cf..de6d8fa0134 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Bantuan" diff --git a/l10n/my_MM/core.po b/l10n/my_MM/core.po index 29ad3b362d7..a1e4d461931 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -141,51 +141,51 @@ msgstr "ဒီဇင်ဘာ" msgid "Settings" msgstr "" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "စက္ကန့်အနည်းငယ်က" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "ယနေ့" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "မနေ့က" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "ပြီးခဲ့သောလ" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "မနှစ်က" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "နှစ် အရင်က" @@ -193,23 +193,19 @@ msgstr "နှစ် အရင်က" msgid "Choose" msgstr "ရွေးချယ်" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "ပယ်ဖျက်မည်" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "ဟုတ်" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "မဟုတ်ဘူး" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "အိုကေ" @@ -616,14 +612,6 @@ msgid "" "href=\"%s\">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." diff --git a/l10n/my_MM/files.po b/l10n/my_MM/files.po index e13e42e4def..84606a993f6 100644 --- a/l10n/my_MM/files.po +++ b/l10n/my_MM/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -94,12 +94,12 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "" @@ -107,8 +107,8 @@ msgstr "" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "" @@ -183,34 +183,40 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/my_MM/files_sharing.po b/l10n/my_MM/files_sharing.po index d04bb04647c..77d34ee18f7 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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" diff --git a/l10n/my_MM/lib.po b/l10n/my_MM/lib.po index bac9d830bf4..a8a9bc152a8 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "မဆုံးဖြတ်နိုင်ပါ။" - #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/my_MM/settings.po b/l10n/my_MM/settings.po index 903834397b0..f537d21d9e2 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-08-04 01:55-0400\n" -"PO-Revision-Date: 2013-08-04 05:01+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "" @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/my_MM/user_ldap.po b/l10n/my_MM/user_ldap.po index f9f369565af..62ed04aa882 100644 --- a/l10n/my_MM/user_ldap.po +++ b/l10n/my_MM/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-08-04 01:55-0400\n" -"PO-Revision-Date: 2013-08-04 05:02+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "အကူအညီ" diff --git a/l10n/nb_NO/core.po b/l10n/nb_NO/core.po index 0201469d378..6533a847d21 100644 --- a/l10n/nb_NO/core.po +++ b/l10n/nb_NO/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -142,55 +142,55 @@ msgstr "Desember" msgid "Settings" msgstr "Innstillinger" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "sekunder siden" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "i dag" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "i går" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "forrige måned" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "måneder siden" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "forrige år" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "år siden" @@ -198,23 +198,19 @@ msgstr "år siden" msgid "Choose" msgstr "Velg" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Avbryt" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Ja" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Nei" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Ok" @@ -621,14 +617,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "forrige" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "neste" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/nb_NO/files.po b/l10n/nb_NO/files.po index bc5dd59d240..ea723ff9903 100644 --- a/l10n/nb_NO/files.po +++ b/l10n/nb_NO/files.po @@ -4,13 +4,14 @@ # # Translators: # Hans Nesse <>, 2013 +# TheLugal , 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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -35,7 +36,7 @@ msgstr "Kunne ikke sette opplastingskatalog." #: ajax/upload.php:22 msgid "Invalid Token" -msgstr "" +msgstr "Ugyldig nøkkel" #: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" @@ -96,12 +97,12 @@ msgstr "Ikke nok lagringsplass" msgid "Upload cancelled." msgstr "Opplasting avbrutt." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Filopplasting pågår. Forlater du siden nå avbrytes opplastingen." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "URL-en kan ikke være tom." @@ -109,8 +110,8 @@ msgstr "URL-en kan ikke være tom." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Ugyldig mappenavn. Bruk av \"Shared\" er reservert av 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Feil" @@ -124,7 +125,7 @@ msgstr "Slett permanent" #: js/fileactions.js:192 msgid "Rename" -msgstr "Omdøp" +msgstr "Gi nytt navn" #: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" @@ -148,7 +149,7 @@ msgstr "avbryt" #: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" -msgstr "erstatt {new_name} med {old_name}" +msgstr "erstattet {new_name} med {old_name}" #: js/filelist.js:350 msgid "undo" @@ -157,8 +158,8 @@ msgstr "angre" #: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Laster opp %n fil" +msgstr[1] "Laster opp %n filer" #: js/filelist.js:518 msgid "files uploading" @@ -184,46 +185,52 @@ msgstr "Lagringsplass er oppbrukt, filer kan ikke lenger oppdateres eller synkro #: js/files.js:82 msgid "Your storage is almost full ({usedSpacePercent}%)" -msgstr "Lagringsplass er nesten oppbruker ([usedSpacePercent}%)" +msgstr "Lagringsplass er nesten brukt opp ([usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Nedlastingen din klargjøres. Hvis filene er store kan dette ta litt tid." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Ugyldig mappenavn. Bruk av \"Shared\" er reservert av ownCloud." -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Navn" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Størrelse" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Endret" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n mappe" +msgstr[1] "%n mapper" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n fil" +msgstr[1] "%n filer" #: lib/app.php:73 #, php-format msgid "%s could not be renamed" -msgstr "" +msgstr "Kunne ikke gi nytt navn til %s" #: lib/helper.php:11 templates/index.php:18 msgid "Upload" @@ -317,7 +324,7 @@ msgstr "Filene du prøver å laste opp er for store for å laste opp til denne s #: templates/index.php:112 msgid "Files are being scanned, please wait." -msgstr "Skanner etter filer, vennligst vent." +msgstr "Skanner filer, vennligst vent." #: templates/index.php:115 msgid "Current scanning" diff --git a/l10n/nb_NO/files_sharing.po b/l10n/nb_NO/files_sharing.po index c3ad85d42b1..ccc3611f726 100644 --- a/l10n/nb_NO/files_sharing.po +++ b/l10n/nb_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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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/nb_NO/files_trashbin.po b/l10n/nb_NO/files_trashbin.po index 72e2ce3e7bf..8a0267ad7cb 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-17 22:20+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" @@ -56,13 +56,13 @@ msgstr "Slettet" msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -msgstr[1] "" +msgstr[1] "%n mapper" #: js/trash.js:197 msgid "%n file" msgid_plural "%n files" msgstr[0] "" -msgstr[1] "" +msgstr[1] "%n filer" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/nb_NO/lib.po b/l10n/nb_NO/lib.po index 5e2ffdb8ffe..81cf9faa238 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "Applikasjon er ikke påslått" diff --git a/l10n/nb_NO/settings.po b/l10n/nb_NO/settings.po index e812e0ae327..ee56bbd7a82 100644 --- a/l10n/nb_NO/settings.po +++ b/l10n/nb_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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:10+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" @@ -122,7 +122,11 @@ msgstr "Feil ved oppdatering av app" msgid "Updated" msgstr "Oppdatert" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Lagrer..." @@ -167,7 +171,7 @@ msgstr "Feil ved oppretting av bruker" msgid "A valid password must be provided" msgstr "Oppgi et gyldig passord" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "__language_name__" @@ -238,106 +242,106 @@ msgstr "" msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Utfør en oppgave med hver side som blir lastet" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Deling" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Aktiver API for Deling" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Tillat apps å bruke API for Deling" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Tillat lenker" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "Tillat brukere å dele filer med lenker" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "TIllat videredeling" -#: templates/admin.php:161 +#: templates/admin.php:153 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:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Tillat brukere å dele med alle" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "Tillat kun deling med andre brukere i samme gruppe" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "Sikkerhet" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "Tving HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Logg" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Loggnivå" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Mer" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Mindre" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Versjon" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 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/personal.php:117 +msgid "Encryption" +msgstr "Kryptering" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Logginn navn" diff --git a/l10n/nb_NO/user_ldap.po b/l10n/nb_NO/user_ldap.po index ae3612c0d98..037b9206594 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "Brukerpålogging filter" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Definerer filteret som skal brukes når et påloggingsforsøk blir utført. %%uid erstatter brukernavnet i innloggingshandlingen." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "bruk %%uid plassholder, f.eks. \"uid=%%uid\"" - -#: templates/settings.php:56 msgid "User List Filter" msgstr "Brukerliste filter" -#: templates/settings.php:59 -msgid "Defines the filter to apply, when retrieving users." -msgstr "Definerer filteret som skal brukes, når systemet innhenter brukere." - -#: templates/settings.php:60 -msgid "without any placeholder, e.g. \"objectClass=person\"." -msgstr "uten noe plassholder, f.eks. \"objectClass=person\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "Gruppefilter" -#: templates/settings.php:64 -msgid "Defines the filter to apply, when retrieving groups." -msgstr "Definerer filteret som skal brukes, når systemet innhenter grupper." - -#: templates/settings.php:65 -msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "uten noe plassholder, f.eks. \"objectClass=posixGroup\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "Konfigurasjon aktiv" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "Når ikke huket av så vil denne konfigurasjonen bli hoppet over." -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Port" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "Sikkerhetskopierings (Replica) vert" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Bruk TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "Case-insensitiv LDAP tjener (Windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Slå av SSL-sertifikat validering" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "Ikke anbefalt, bruk kun for testing" - -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "i sekunder. En endring tømmer bufferen." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "Vis brukerens navnfelt" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "Hovedbruker tre" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "En Bruker Base DN pr. linje" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "Vis gruppens navnfelt" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "Hovedgruppe tre" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "En gruppe hoved-DN pr. linje" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "gruppe-medlem assosiasjon" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "i bytes" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "La stå tom for brukernavn (standard). Ellers, spesifiser en LDAP/AD attributt." -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Hjelp" diff --git a/l10n/ne/core.po b/l10n/ne/core.po index d20e5a3d3ab..8278426322d 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -141,55 +141,55 @@ msgstr "" msgid "Settings" msgstr "" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "" @@ -197,23 +197,19 @@ msgstr "" msgid "Choose" msgstr "" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "" @@ -620,14 +616,6 @@ msgid "" "href=\"%s\">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." diff --git a/l10n/ne/files.po b/l10n/ne/files.po index 306604617a3..d09313ed514 100644 --- a/l10n/ne/files.po +++ b/l10n/ne/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -94,12 +94,12 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "" @@ -107,8 +107,8 @@ msgstr "" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "" @@ -184,35 +184,41 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/ne/lib.po b/l10n/ne/lib.po index 4fcfd8bc3ea..8852f856cc1 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/ne/settings.po b/l10n/ne/settings.po index 20fa4cf7fb4..578a57af945 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-07-27 01:56-0400\n" -"PO-Revision-Date: 2013-07-25 05:57+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "" @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/ne/user_ldap.po b/l10n/ne/user_ldap.po index 5ca0bf8245f..823ea6ee1a6 100644 --- a/l10n/ne/user_ldap.po +++ b/l10n/ne/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-27 01:56-0400\n" -"PO-Revision-Date: 2013-07-27 05:56+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "" diff --git a/l10n/nl/core.po b/l10n/nl/core.po index 0502d440988..59e41074d63 100644 --- a/l10n/nl/core.po +++ b/l10n/nl/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -144,55 +144,55 @@ msgstr "december" msgid "Settings" msgstr "Instellingen" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "seconden geleden" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" -msgstr[1] "" +msgstr[1] "%n minuten geleden" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" -msgstr[1] "" +msgstr[1] "%n uur geleden" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "vandaag" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "gisteren" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" -msgstr[1] "" +msgstr[1] "%n dagen geleden" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "vorige maand" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" -msgstr[1] "" +msgstr[1] "%n maanden geleden" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "maanden geleden" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "vorig jaar" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "jaar geleden" @@ -200,23 +200,19 @@ msgstr "jaar geleden" msgid "Choose" msgstr "Kies" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Annuleer" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "Fout bij laden van bestandsselectie sjabloon" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Ja" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Nee" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Ok" @@ -383,7 +379,7 @@ msgstr "De update is geslaagd. Je wordt teruggeleid naar je eigen ownCloud." #: lostpassword/controller.php:61 #, php-format msgid "%s password reset" -msgstr "" +msgstr "%s wachtwoord reset" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" @@ -623,14 +619,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "Hallo daar,

    %s deelde »%s« met jou.
    Bekijk!

    Veel plezier!" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "vorige" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "volgende" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/nl/files.po b/l10n/nl/files.po index 59bcbd7a4f3..37c004124a6 100644 --- a/l10n/nl/files.po +++ b/l10n/nl/files.po @@ -4,12 +4,13 @@ # # Translators: # André Koot , 2013 +# kwillems , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -95,12 +96,12 @@ msgstr "Niet genoeg ruimte beschikbaar" msgid "Upload cancelled." msgstr "Uploaden geannuleerd." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Bestandsupload is bezig. Wanneer de pagina nu verlaten wordt, stopt de upload." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "URL kan niet leeg zijn." @@ -108,8 +109,8 @@ msgstr "URL kan niet leeg zijn." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Ongeldige mapnaam. Gebruik van 'Gedeeld' is voorbehouden aan Owncloud zelf" -#: 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Fout" @@ -156,8 +157,8 @@ msgstr "ongedaan maken" #: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n bestand aan het uploaden" +msgstr[1] "%n bestanden aan het uploaden" #: js/filelist.js:518 msgid "files uploading" @@ -185,39 +186,45 @@ msgstr "Uw opslagruimte zit vol, Bestanden kunnen niet meer worden ge-upload of msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "Uw opslagruimte zit bijna vol ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Uw download wordt voorbereid. Dit kan enige tijd duren bij grote bestanden." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Ongeldige mapnaam. Gebruik van'Gedeeld' is voorbehouden aan Owncloud" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Naam" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Grootte" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Aangepast" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -msgstr[1] "" +msgstr[1] "%n mappen" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" -msgstr[1] "" +msgstr[1] "%n bestanden" #: lib/app.php:73 #, php-format diff --git a/l10n/nl/files_sharing.po b/l10n/nl/files_sharing.po index cf2ebc5ccc0..a9f681aaee2 100644 --- a/l10n/nl/files_sharing.po +++ b/l10n/nl/files_sharing.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-08-13 09:11-0400\n" -"PO-Revision-Date: 2013-08-12 10:20+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+0000\n" "Last-Translator: Len \n" "Language-Team: Dutch (http://www.transifex.com/projects/p/owncloud/language/nl/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/nl/files_trashbin.po b/l10n/nl/files_trashbin.po index 9227cb640a5..ba5a8671355 100644 --- a/l10n/nl/files_trashbin.po +++ b/l10n/nl/files_trashbin.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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-17 06:30+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" @@ -55,14 +55,14 @@ msgstr "Verwijderd" #: js/trash.js:191 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n map" +msgstr[1] "%n mappen" #: js/trash.js:197 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n bestand" +msgstr[1] "%n bestanden" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/nl/lib.po b/l10n/nl/lib.po index 833787fb045..eba0796878e 100644 --- a/l10n/nl/lib.po +++ b/l10n/nl/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -75,10 +75,6 @@ msgid "" "administrator." msgstr "Download de bestanden in kleinere brokken, appart of vraag uw administrator." -#: helper.php:235 -msgid "couldn't be determined" -msgstr "kon niet worden vastgesteld" - #: json.php:28 msgid "Application is not enabled" msgstr "De applicatie is niet actief" @@ -210,14 +206,14 @@ msgstr "seconden geleden" #: template/functions.php:81 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n minuut geleden" +msgstr[1] "%n minuten geleden" #: template/functions.php:82 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n uur geleden" +msgstr[1] "%n uur geleden" #: template/functions.php:83 msgid "today" @@ -230,8 +226,8 @@ msgstr "gisteren" #: template/functions.php:85 msgid "%n day go" msgid_plural "%n days ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n dag terug" +msgstr[1] "%n dagen geleden" #: template/functions.php:86 msgid "last month" @@ -240,8 +236,8 @@ msgstr "vorige maand" #: template/functions.php:87 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n maand geleden" +msgstr[1] "%n maanden geleden" #: template/functions.php:88 msgid "last year" diff --git a/l10n/nl/settings.po b/l10n/nl/settings.po index f2b74b11fb0..ca4063b207f 100644 --- a/l10n/nl/settings.po +++ b/l10n/nl/settings.po @@ -5,14 +5,15 @@ # Translators: # André Koot , 2013 # helonaut, 2013 +# kwillems , 2013 # Len , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-13 09:11-0400\n" -"PO-Revision-Date: 2013-08-12 10:30+0000\n" -"Last-Translator: Len \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:10+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" @@ -123,7 +124,11 @@ msgstr "Fout bij bijwerken app" msgid "Updated" msgstr "Bijgewerkt" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Opslaan" @@ -168,7 +173,7 @@ msgstr "Fout bij aanmaken gebruiker" msgid "A valid password must be provided" msgstr "Er moet een geldig wachtwoord worden opgegeven" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "Nederlands" @@ -183,7 +188,7 @@ msgid "" "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 "" +msgstr "Uw data folder en uw bestanden zijn waarschijnlijk vanaf het internet bereikbaar. Het .htaccess-bestand werkt niet. We raden ten zeerste aan aan om uw webserver zodanig te configureren, dat de datamap niet bereikbaar is vanaf het internet of om uw datamap te verplaatsen naar een locatie buiten de document root van de webserver." #: templates/admin.php:29 msgid "Setup Warning" @@ -220,7 +225,7 @@ msgid "" "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." -msgstr "" +msgstr "De systeemtaal kan niet worden ingesteld op %s. Hierdoor kunnen er problemen optreden met bepaalde karakters in bestandsnamen. Het wordt sterk aangeraden om de vereiste pakketen op uw systeem te installeren, zodat %s ondersteund wordt." #: templates/admin.php:75 msgid "Internet connection not working" @@ -233,112 +238,112 @@ msgid "" "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." -msgstr "" +msgstr "Deze server heeft geen actieve internetverbinding. Dat betekent dat sommige functies, zoals aankoppelen van externe opslag, notificaties over updates of installatie van apps van 3e partijen niet werken. Ook het benaderen van bestanden vanaf een remote locatie en het versturen van notificatie emails kan mislukken. We adviseren om de internetverbinding voor deze server in te schakelen als u alle functies wilt gebruiken." #: templates/admin.php:92 msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Bij laden van elke pagina één taak uitvoeren" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "cron.php is geregistreerd bij een webcron service om cron.php eens per minuut aan te roepen via http." -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "Gebruik de systeem cron service om het bestand cron.php eens per minuut aan te roepen." -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Delen" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Activeren Share API" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Apps toestaan de Share API te gebruiken" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Toestaan links" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "Toestaan dat gebruikers objecten met links delen met anderen" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "Sta publieke uploads toe" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "Sta gebruikers toe anderen in hun publiek gedeelde mappen bestanden te uploaden" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Toestaan opnieuw delen" -#: templates/admin.php:161 +#: templates/admin.php:153 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:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Toestaan dat gebruikers met iedereen delen" -#: templates/admin.php:171 +#: templates/admin.php:163 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:178 +#: templates/admin.php:170 msgid "Security" msgstr "Beveiliging" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "Afdwingen HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "Dwingt de clients om een versleutelde verbinding te maken met %s" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "Maak verbinding naar uw %s via HTTPS om een geforceerde versleutelde verbinding in- of uit te schakelen." -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Log" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Log niveau" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Meer" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Minder" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Versie" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "Gebruik dit adres toegang tot uw bestanden via WebDAV" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "Versleuteling" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Inlognaam" diff --git a/l10n/nl/user_ldap.po b/l10n/nl/user_ldap.po index cea243ef797..121b8643e5e 100644 --- a/l10n/nl/user_ldap.po +++ b/l10n/nl/user_ldap.po @@ -4,14 +4,15 @@ # # Translators: # André Koot , 2013 +# kwillems , 2013 # Len , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-13 09:11-0400\n" -"PO-Revision-Date: 2013-08-12 10:20+0000\n" -"Last-Translator: Len \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -156,198 +157,185 @@ msgstr "Gebruikers Login Filter" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Definiëerd de toe te passen filter indien er geprobeerd wordt in te loggen. %%uid vervangt de gebruikersnaam in de login actie." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "gebruik %%uid placeholder, bijv. \"uid=%%uid\"" - -#: templates/settings.php:56 msgid "User List Filter" msgstr "Gebruikers Lijst Filter" -#: templates/settings.php:59 -msgid "Defines the filter to apply, when retrieving users." -msgstr "Definiëerd de toe te passen filter voor het ophalen van gebruikers." - -#: templates/settings.php:60 -msgid "without any placeholder, e.g. \"objectClass=person\"." -msgstr "zonder een placeholder, bijv. \"objectClass=person\"" +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "Groep Filter" -#: templates/settings.php:64 -msgid "Defines the filter to apply, when retrieving groups." -msgstr "Definiëerd de toe te passen filter voor het ophalen van groepen." - -#: templates/settings.php:65 -msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "zonder een placeholder, bijv. \"objectClass=posixGroup\"" +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "Verbindingsinstellingen" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "Configuratie actief" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "Als dit niet is ingeschakeld wordt deze configuratie overgeslagen." -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Poort" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "Backup (Replica) Host" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "Opgeven optionele backup host. Het moet een replica van de hoofd LDAP/AD server." -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "Backup (Replica) Poort" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "Deactiveren hoofdserver" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "Maak alleen een verbinding met de replica server." -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Gebruik TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "Gebruik het niet voor LDAPS verbindingen, dat gaat niet lukken." -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "Niet-hoofdlettergevoelige LDAP server (Windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Schakel SSL certificaat validatie uit." -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "Als de connectie alleen werkt met deze optie, importeer dan het LDAP server SSL certificaat naar de %s server." - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "Niet aangeraden, gebruik alleen voor test doeleinden." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." +msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "Cache time-to-live" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "in seconden. Een verandering maakt de cache leeg." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "Mapinstellingen" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "Gebruikers Schermnaam Veld" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "Het te gebruiken LDAP attribuut voor het genereren van de weergavenaam voor de gebruiker." -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "Basis Gebruikers Structuur" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "Een User Base DN per regel" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "Attributen voor gebruikerszoekopdrachten" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "Optioneel; één attribuut per regel" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "Groep Schermnaam Veld" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "Het te gebruiken LDAP attribuut voor het genereren van de weergavenaam voor de groepen." -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "Basis Groupen Structuur" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "Een Group Base DN per regel" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "Attributen voor groepszoekopdrachten" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "Groepslid associatie" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "Speciale attributen" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "Quota veld" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "Quota standaard" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "in bytes" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "E-mailveld" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "Gebruikers Home map naamgevingsregel" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "Laat leeg voor de gebruikersnaam (standaard). Of, specificeer een LDAP/AD attribuut." -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "Interne gebruikersnaam" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,17 +349,17 @@ msgid "" "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." -msgstr "" +msgstr "Standaard wordt de interne gebruikersnaam aangemaakt op basis van het UUID attribuut. Het zorgt ervoor dat de gebruikersnaam uniek is en dat tekens niet hoeven te worden geconverteerd. De interne gebruikersnaam heeft als beperking dat alleen deze tekens zijn toegestaan​​: [a-zA-Z0-9_.@- ]. Andere tekens worden vervangen door hun ASCII vertaling of gewoonweg weggelaten. Bij identieke namen wordt een nummer toegevoegd of verhoogd. De interne gebruikersnaam wordt gebruikt om een ​​gebruiker binnen het systeem te herkennen. Het is ook de standaardnaam voor de standaardmap van de gebruiker in ownCloud. Het is ook een vertaling voor externe URL's, bijvoorbeeld voor alle *DAV diensten. Met deze instelling kan het standaardgedrag worden overschreven. Om een soortgelijk gedrag te bereiken als van vóór ownCloud 5, voer het gebruikersweergavenaam attribuut in in het volgende veld. Laat het leeg voor standaard gedrag. Veranderingen worden alleen toegepast op gekoppelde (toegevoegde) LDAP-gebruikers." -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "Interne gebruikersnaam attribuut:" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "Negeren UUID detectie" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,17 +368,17 @@ 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 behavior. " "Changes will have effect only on newly mapped (added) LDAP users and groups." -msgstr "" +msgstr "Standaard herkent ownCloud het UUID-attribuut automatisch. Het UUID attribuut wordt gebruikt om LDAP-gebruikers en -groepen uniek te identificeren. Ook zal de interne gebruikersnaam worden aangemaakt op basis van het UUID, tenzij deze hierboven anders is aangegeven. U kunt de instelling overschrijven en zelf een waarde voor het attribuut opgeven. U moet ervoor zorgen dat het ingestelde attribuut kan worden opgehaald voor zowel gebruikers als groepen en dat het uniek is. Laat het leeg voor standaard gedrag. Veranderingen worden alleen doorgevoerd op nieuw gekoppelde (toegevoegde) LDAP-gebruikers en-groepen." -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "UUID Attribuut:" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "Gebruikersnaam-LDAP gebruikers vertaling" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,20 +390,20 @@ msgid "" " is not configuration sensitive, it affects all LDAP configurations! Never " "clear the mappings in a production environment, only in a testing or " "experimental stage." -msgstr "" +msgstr "ownCloud maakt gebruik van gebruikersnamen om (meta) data op te slaan en toe te wijzen. Om gebruikers uniek te identificeren, krijgt elke LDAP-gebruiker ook een interne gebruikersnaam. Dit vereist een koppeling van de ownCloud gebruikersnaam aan een ​​LDAP-gebruiker. De gecreëerde gebruikersnaam is gekoppeld aan de UUID van de LDAP-gebruiker. Aanvullend wordt ook de 'DN' gecached om het aantal LDAP-interacties te verminderen, maar dit wordt niet gebruikt voor identificatie. Als de DN verandert, zullen de veranderingen worden gevonden. De interne naam wordt overal gebruikt. Het wissen van de koppeling zal overal resten achterlaten. Het wissen van koppelingen is niet configuratiegevoelig, maar het raakt wel alle LDAP instellingen! Zorg ervoor dat deze koppelingen nooit in een productieomgeving gewist worden. Maak ze alleen leeg in een test- of ontwikkelomgeving." -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "Leegmaken Gebruikersnaam-LDAP gebruikers vertaling" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "Leegmaken Groepsnaam-LDAP groep vertaling" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "Test configuratie" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Help" diff --git a/l10n/nn_NO/core.po b/l10n/nn_NO/core.po index 29908b4d1b9..d7afc5bf410 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -143,55 +143,55 @@ msgstr "Desember" msgid "Settings" msgstr "Innstillingar" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "sekund sidan" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "i dag" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "i går" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "førre månad" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "månadar sidan" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "i fjor" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "år sidan" @@ -199,23 +199,19 @@ msgstr "år sidan" msgid "Choose" msgstr "Vel" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Avbryt" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Ja" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Nei" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Greitt" @@ -622,14 +618,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "førre" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "neste" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/nn_NO/files.po b/l10n/nn_NO/files.po index 383366110d4..fe27f782683 100644 --- a/l10n/nn_NO/files.po +++ b/l10n/nn_NO/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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -96,12 +96,12 @@ msgstr "Ikkje nok lagringsplass tilgjengeleg" msgid "Upload cancelled." msgstr "Opplasting avbroten." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Fila lastar no opp. Viss du forlèt sida no vil opplastinga verta avbroten." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "Nettadressa kan ikkje vera tom." @@ -109,8 +109,8 @@ msgstr "Nettadressa kan ikkje vera tom." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Ugyldig mappenamn. Mappa «Shared» er reservert av 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Feil" @@ -186,35 +186,41 @@ msgstr "Lagringa di er full, kan ikkje lenger oppdatera eller synkronisera!" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "Lagringa di er nesten full ({usedSpacePercent} %)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Gjer klar nedlastinga di. Dette kan ta ei stund viss filene er store." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Ugyldig mappenamn. Mappa «Shared» er reservert av ownCloud" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Namn" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Storleik" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Endra" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/nn_NO/files_sharing.po b/l10n/nn_NO/files_sharing.po index 4b2ff875d13..53090ff185e 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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/nn_NO/lib.po b/l10n/nn_NO/lib.po index a344f828b7b..cb71c6e589f 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -74,10 +74,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/nn_NO/settings.po b/l10n/nn_NO/settings.po index b451c6fb503..ca6c39e33cb 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -122,7 +122,11 @@ msgstr "Feil ved oppdatering av app" msgid "Updated" msgstr "Oppdatert" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Lagrar …" @@ -167,7 +171,7 @@ msgstr "Feil ved oppretting av brukar" msgid "A valid password must be provided" msgstr "Du må oppgje eit gyldig passord" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "Nynorsk" @@ -238,106 +242,106 @@ msgstr "" msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Utfør éi oppgåve for kvar sidelasting" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Deling" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Slå på API-et for deling" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "La app-ar bruka API-et til deling" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Tillat lenkjer" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "La brukarar dela ting offentleg med lenkjer" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Tillat vidaredeling" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "La brukarar vidaredela delte ting" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "La brukarar dela med kven som helst" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "La brukarar dela berre med brukarar i deira grupper" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "Tryggleik" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "Krev HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Logg" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Log nivå" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Meir" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Mindre" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Utgåve" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Innloggingsnamn" diff --git a/l10n/nn_NO/user_ldap.po b/l10n/nn_NO/user_ldap.po index f634ba786a4..8ded31122df 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Hjelp" diff --git a/l10n/oc/core.po b/l10n/oc/core.po index 33d3488ee96..0fee2d59130 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -141,55 +141,55 @@ msgstr "Decembre" msgid "Settings" msgstr "Configuracion" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "segonda a" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "uèi" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "ièr" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "mes passat" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "meses a" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "an passat" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "ans a" @@ -197,23 +197,19 @@ msgstr "ans a" msgid "Choose" msgstr "Causís" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Annula" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Òc" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Non" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "D'accòrdi" @@ -620,14 +616,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "dariièr" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "venent" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/oc/files.po b/l10n/oc/files.po index fc4c603ab8f..89aa3f3477c 100644 --- a/l10n/oc/files.po +++ b/l10n/oc/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -94,12 +94,12 @@ msgstr "" msgid "Upload cancelled." msgstr "Amontcargar anullat." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Un amontcargar es a se far. Daissar aquesta pagina ara tamparà lo cargament. " -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "" @@ -107,8 +107,8 @@ msgstr "" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Error" @@ -184,35 +184,41 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Nom" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Talha" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Modificat" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/oc/files_sharing.po b/l10n/oc/files_sharing.po index 48225563d0e..253801f6c9f 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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 7624e587690..cfa24f83de8 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/oc/settings.po b/l10n/oc/settings.po index 9cdc67cd70f..39b43f27c7f 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Enregistra..." @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "__language_name__" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Executa un prètfach amb cada pagina cargada" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Al partejar" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Activa API partejada" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Jornal" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Mai d'aquò" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/oc/user_ldap.po b/l10n/oc/user_ldap.po index e2d1715e8c7..b4c7072825e 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Ajuda" diff --git a/l10n/pl/core.po b/l10n/pl/core.po index 5f7f67f6df2..1917f75d114 100644 --- a/l10n/pl/core.po +++ b/l10n/pl/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -143,59 +143,59 @@ msgstr "Grudzień" msgid "Settings" msgstr "Ustawienia" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "sekund temu" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "dziś" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "wczoraj" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "w zeszłym miesiącu" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "miesięcy temu" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "w zeszłym roku" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "lat temu" @@ -203,23 +203,19 @@ msgstr "lat temu" msgid "Choose" msgstr "Wybierz" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Anuluj" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "Błąd podczas ładowania pliku wybranego szablonu" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Tak" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Nie" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "OK" @@ -626,14 +622,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "Cześć,

    Informuję cię że %s udostępnia ci »%s«.\n
    Zobacz

    Pozdrawiam!" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "wstecz" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "naprzód" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/pl/files.po b/l10n/pl/files.po index 6a873b2103e..4afe550b713 100644 --- a/l10n/pl/files.po +++ b/l10n/pl/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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -96,12 +96,12 @@ msgstr "Za mało miejsca" msgid "Upload cancelled." msgstr "Wczytywanie anulowane." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Wysyłanie pliku jest w toku. Jeśli opuścisz tę stronę, wysyłanie zostanie przerwane." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "URL nie może być pusty." @@ -109,8 +109,8 @@ msgstr "URL nie może być pusty." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nieprawidłowa nazwa folderu. Wykorzystanie 'Shared' jest zarezerwowane przez 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Błąd" @@ -187,36 +187,42 @@ msgstr "Magazyn jest pełny. Pliki nie mogą zostać zaktualizowane lub zsynchro msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "Twój magazyn jest prawie pełny ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Pobieranie jest przygotowywane. Może to zająć trochę czasu jeśli pliki są duże." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Nieprawidłowa nazwa folderu. Korzystanie z nazwy „Shared” jest zarezerwowane dla ownCloud" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Nazwa" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Rozmiar" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Modyfikacja" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/pl/files_sharing.po b/l10n/pl/files_sharing.po index 1a6992cd4b6..8241e75f710 100644 --- a/l10n/pl/files_sharing.po +++ b/l10n/pl/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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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" diff --git a/l10n/pl/lib.po b/l10n/pl/lib.po index 6cdef8fb479..ea1272f2a8e 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -74,10 +74,6 @@ msgid "" "administrator." msgstr "Pobierz pliki w mniejszy kawałkach, oddzielnie lub poproś administratora o zwiększenie limitu." -#: helper.php:235 -msgid "couldn't be determined" -msgstr "nie może zostać znaleziony" - #: json.php:28 msgid "Application is not enabled" msgstr "Aplikacja nie jest włączona" diff --git a/l10n/pl/settings.po b/l10n/pl/settings.po index 66939daefc5..43eac002a05 100644 --- a/l10n/pl/settings.po +++ b/l10n/pl/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-08-13 09:11-0400\n" -"PO-Revision-Date: 2013-08-13 12:00+0000\n" -"Last-Translator: Cyryl Sochacki \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -122,7 +122,11 @@ msgstr "Błąd podczas aktualizacji aplikacji" msgid "Updated" msgstr "Zaktualizowano" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Zapisywanie..." @@ -167,7 +171,7 @@ msgstr "Błąd podczas tworzenia użytkownika" msgid "A valid password must be provided" msgstr "Należy podać prawidłowe hasło" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "polski" @@ -238,106 +242,106 @@ msgstr "" msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Wykonuj jedno zadanie wraz z każdą wczytaną stroną" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Udostępnianie" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Włącz API udostępniania" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Zezwalaj aplikacjom na korzystanie z API udostępniania" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Zezwalaj na odnośniki" -#: templates/admin.php:143 +#: templates/admin.php:135 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:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "Pozwól na publiczne wczytywanie" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Zezwalaj na ponowne udostępnianie" -#: templates/admin.php:161 +#: templates/admin.php:153 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:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Zezwalaj użytkownikom na współdzielenie z kimkolwiek" -#: templates/admin.php:171 +#: templates/admin.php:163 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:178 +#: templates/admin.php:170 msgid "Security" msgstr "Bezpieczeństwo" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "Wymuś HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "Wymusza na klientach na łączenie się %s za pośrednictwem połączenia szyfrowanego." -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Logi" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Poziom logów" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Więcej" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Mniej" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Wersja" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Login" diff --git a/l10n/pl/user_ldap.po b/l10n/pl/user_ldap.po index ba28976a182..f2571b2fb2a 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -156,198 +156,185 @@ msgstr "Filtr logowania użytkownika" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Definiuje filtr do zastosowania, gdy podejmowana jest próba logowania. %%uid zastępuje nazwę użytkownika w działaniu logowania." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "Użyj %%uid zastępczy, np. \"uid=%%uid\"" - -#: templates/settings.php:56 msgid "User List Filter" msgstr "Lista filtrów użytkownika" -#: templates/settings.php:59 -msgid "Defines the filter to apply, when retrieving users." -msgstr "Definiuje filtry do zastosowania, podczas pobierania użytkowników." - -#: templates/settings.php:60 -msgid "without any placeholder, e.g. \"objectClass=person\"." -msgstr "bez żadnych symboli zastępczych np. \"objectClass=person\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "Grupa filtrów" -#: templates/settings.php:64 -msgid "Defines the filter to apply, when retrieving groups." -msgstr "Definiuje filtry do zastosowania, podczas pobierania grup." - -#: templates/settings.php:65 -msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "bez żadnych symboli zastępczych np. \"objectClass=posixGroup\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "Konfiguracja połączeń" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "Konfiguracja archiwum" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "Gdy niezaznaczone, ta konfiguracja zostanie pominięta." -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Port" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "Kopia zapasowa (repliki) host" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "Dać opcjonalnie hosta kopii zapasowej . To musi być repliką głównego serwera LDAP/AD." -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "Kopia zapasowa (repliki) Port" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "Wyłącz serwer główny" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Użyj TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "Nie używaj go dodatkowo dla połączeń protokołu LDAPS, zakończy się niepowodzeniem." -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "Wielkość liter serwera LDAP (Windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Wyłączyć sprawdzanie poprawności certyfikatu SSL." -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "Niezalecane, użyj tylko testowo." - -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "Przechowuj czas życia" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "w sekundach. Zmiana opróżnia pamięć podręczną." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "Ustawienia katalogów" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "Pole wyświetlanej nazwy użytkownika" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "Drzewo bazy użytkowników" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "Jeden użytkownik Bazy DN na linię" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "Szukaj atrybutów" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "Opcjonalnie; jeden atrybut w wierszu" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "Pole wyświetlanej nazwy grupy" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "Drzewo bazy grup" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "Jedna grupa bazy DN na linię" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "Grupa atrybutów wyszukaj" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "Członek grupy stowarzyszenia" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "Specjalne atrybuty" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "Pole przydziału" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "Przydział domyślny" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "w bajtach" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "Pole email" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "Reguły nazewnictwa folderu domowego użytkownika" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "Pozostaw puste dla user name (domyślnie). W przeciwnym razie podaj atrybut LDAP/AD." -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "Wewnętrzna nazwa użytkownika" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -363,15 +350,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "Wewnętrzny atrybut nazwy uzżytkownika:" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "Zastąp wykrywanie UUID" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -382,15 +369,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "Atrybuty UUID:" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "Mapowanie użytkownika LDAP" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -404,18 +391,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "Czyść Mapowanie użytkownika LDAP" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "Czyść Mapowanie nazwy grupy LDAP" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "Konfiguracja testowa" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Pomoc" diff --git a/l10n/pt_BR/core.po b/l10n/pt_BR/core.po index d1f5964e4b1..703b1feb263 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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-15 09:30+0000\n" -"Last-Translator: Flávio Veras \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -199,23 +199,19 @@ msgstr "anos atrás" msgid "Choose" msgstr "Escolha" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Cancelar" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "Template selecionador Erro ao carregar arquivo" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Sim" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Não" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Ok" @@ -622,14 +618,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "Olá,

    apenas para você saber que %s compartilhou %s com você.
    Veja:

    Abraços!" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "anterior" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "próximo" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/pt_BR/files.po b/l10n/pt_BR/files.po index e8563501ebf..d9250a024c1 100644 --- a/l10n/pt_BR/files.po +++ b/l10n/pt_BR/files.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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -97,12 +97,12 @@ msgstr "Espaço de armazenamento insuficiente" msgid "Upload cancelled." msgstr "Envio cancelado." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Upload em andamento. Sair da página agora resultará no cancelamento do envio." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "URL não pode ficar em branco" @@ -110,8 +110,8 @@ msgstr "URL não pode ficar em branco" msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nome de pasta inválido. O uso do nome 'Compartilhado' é reservado ao 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Erro" @@ -187,35 +187,41 @@ msgstr "Seu armazenamento está cheio, arquivos não podem mais ser atualizados msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "Seu armazenamento está quase cheio ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Seu download está sendo preparado. Isto pode levar algum tempo se os arquivos forem grandes." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Nome de pasta inválido. O uso de 'Shared' é reservado para o Owncloud" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Nome" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Tamanho" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Modificado" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/pt_BR/files_sharing.po b/l10n/pt_BR/files_sharing.po index 453ca120b6f..511813205a7 100644 --- a/l10n/pt_BR/files_sharing.po +++ b/l10n/pt_BR/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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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_BR/lib.po b/l10n/pt_BR/lib.po index b8ce85263af..80a90875c3a 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -74,10 +74,6 @@ msgid "" "administrator." msgstr "Baixe os arquivos em pedaços menores, separadamente ou solicite educadamente ao seu administrador." -#: helper.php:235 -msgid "couldn't be determined" -msgstr "não pôde ser determinado" - #: json.php:28 msgid "Application is not enabled" msgstr "Aplicação não está habilitada" diff --git a/l10n/pt_BR/settings.po b/l10n/pt_BR/settings.po index 4fefbdfdef3..7dae52323c0 100644 --- a/l10n/pt_BR/settings.po +++ b/l10n/pt_BR/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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: Flávio Veras \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -122,7 +122,11 @@ msgstr "Erro ao atualizar aplicativo" msgid "Updated" msgstr "Atualizado" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Salvando..." @@ -167,7 +171,7 @@ msgstr "Erro ao criar usuário" msgid "A valid password must be provided" msgstr "Forneça uma senha válida" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "Português (Brasil)" @@ -238,106 +242,106 @@ msgstr "Este servidor não tem conexão com a internet. Isso significa que algum msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Execute uma tarefa com cada página carregada" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "cron.php está registrado em um serviço webcron chamar cron.php uma vez por minuto usando http." -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "Utilizar sistema de serviços cron para chamar o arquivo cron.php uma vez por minuto." -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Compartilhamento" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Habilitar API de Compartilhamento" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Permitir que aplicativos usem a API de Compartilhamento" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Permitir links" -#: templates/admin.php:143 +#: templates/admin.php:135 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:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "Permitir envio público" -#: templates/admin.php:152 +#: templates/admin.php:144 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:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Permitir recompartilhamento" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "Permitir que usuários compartilhem novamente itens compartilhados com eles" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Permitir que usuários compartilhem com qualquer um" -#: templates/admin.php:171 +#: templates/admin.php:163 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:178 +#: templates/admin.php:170 msgid "Security" msgstr "Segurança" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "Forçar HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "Obrigar os clientes que se conectem a %s através de uma conexão criptografada." -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "Por favor, se conectar ao seu %s via HTTPS para forçar ativar ou desativar SSL." -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Registro" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Nível de registro" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Mais" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Menos" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Versão" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "Use esse endereço para acessar seus arquivos via WebDAV" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Nome de Login" diff --git a/l10n/pt_BR/user_ldap.po b/l10n/pt_BR/user_ldap.po index 94ddf91fe14..8e83ab7e75d 100644 --- a/l10n/pt_BR/user_ldap.po +++ b/l10n/pt_BR/user_ldap.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" -"Last-Translator: tuliouel\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -156,198 +156,185 @@ msgstr "Filtro de Login de Usuário" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Define o filtro pra aplicar ao efetuar uma tentativa de login. %%uuid substitui o nome de usuário na ação de login." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "use %%uid placeholder, ex. \"uid=%%uid\"" - -#: templates/settings.php:56 msgid "User List Filter" msgstr "Filtro de Lista de Usuário" -#: templates/settings.php:59 -msgid "Defines the filter to apply, when retrieving users." -msgstr "Define filtro a ser aplicado ao obter usuários." - -#: templates/settings.php:60 -msgid "without any placeholder, e.g. \"objectClass=person\"." -msgstr "sem nenhum espaço reservado, ex. \"objectClass=person\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "Filtro de Grupo" -#: templates/settings.php:64 -msgid "Defines the filter to apply, when retrieving groups." -msgstr "Define o filtro a aplicar ao obter grupos." - -#: templates/settings.php:65 -msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "sem nenhum espaço reservado, ex. \"objectClass=posixGroup\"" +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "Configurações de Conexão" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "Configuração ativa" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "Quando não marcada, esta configuração será ignorada." -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Porta" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "Servidor de Backup (Réplica)" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "Defina um servidor de backup opcional. Ele deverá ser uma réplica do servidor LDAP/AD principal." -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "Porta do Backup (Réplica)" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "Desativar Servidor Principal" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "Conectar-se somente ao servidor de réplica." -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Usar TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "Não use adicionalmente para conexões LDAPS, pois falhará." -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "Servidor LDAP sensível à caixa alta (Windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Desligar validação de certificado SSL." -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "Se a conexão só funciona com esta opção, importe o certificado SSL do servidor LDAP no seu servidor %s." - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "Não recomendado, use somente para testes." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." +msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "Cache Time-To-Live" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "em segundos. Uma mudança esvaziará o cache." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "Configurações de Diretório" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "Campo Nome de Exibição de Usuário" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "O atributo LDAP para usar para gerar o nome de exibição do usuário." -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "Árvore de Usuário Base" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "Um usuário-base DN por linha" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "Atributos de Busca de Usuário" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "Opcional; um atributo por linha" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "Campo Nome de Exibição de Grupo" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "O atributo LDAP para usar para gerar o nome de apresentação do grupo." -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "Árvore de Grupo Base" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "Um grupo-base DN por linha" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "Atributos de Busca de Grupo" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "Associação Grupo-Membro" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "Atributos Especiais" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "Campo de Cota" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "Cota Padrão" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "em bytes" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "Campo de Email" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "Regra para Nome da Pasta Pessoal do Usuário" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "Deixe vazio para nome de usuário (padrão). Caso contrário, especifique um atributo LDAP/AD." -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "Nome de usuário interno" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -363,15 +350,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "Por padrão, o nome de usuário interno será criado a partir do atributo UUID. Ele garante que o nome de usuário é único e que caracteres não precisam ser convertidos. O nome de usuário interno tem a restrição de que apenas estes caracteres são permitidos: [a-zA-Z0-9_.@- ]. Outros caracteres são substituídos por seus correspondentes em ASCII ou simplesmente serão omitidos. Em caso de colisão um número será adicionado/aumentado. O nome de usuário interno é usado para identificar um usuário internamente. É também o nome padrão da pasta \"home\" do usuário. É também parte de URLs remotas, por exemplo, para todos as instâncias *DAV. Com esta definição, o comportamento padrão pode ser sobrescrito. Para alcançar um comportamento semelhante ao de antes do ownCloud 5, forneça o atributo do nome de exibição do usuário no campo seguinte. Deixe-o vazio para o comportamento padrão. As alterações terão efeito apenas para usuários LDAP recém mapeados (adicionados)." -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "Atributo Interno de Nome de Usuário:" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "Substituir detecção UUID" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -382,15 +369,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "Por padrão, o atributo UUID é detectado automaticamente. O atributo UUID é usado para identificar, sem dúvidas, os usuários e grupos LDAP. Além disso, o nome de usuário interno será criado com base no UUID, se não especificado acima. Você pode substituir a configuração e passar um atributo de sua escolha. Você deve certificar-se de que o atributo de sua escolha pode ser lido tanto para usuários como para grupos, e que seja único. Deixe-o vazio para o comportamento padrão. As alterações terão efeito apenas para usuários e grupos LDAP recém mapeados (adicionados)." -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "Atributo UUID:" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "Usuário-LDAP Mapeamento de Usuário" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -404,18 +391,18 @@ msgid "" "experimental stage." msgstr "Nomes de usuários sãi usados para armazenar e atribuir (meta) dados. A fim de identificar com precisão e reconhecer usuários, cada usuário LDAP terá um nome de usuário interno. Isso requer um mapeamento nome de usuário para usuário LDAP. O nome de usuário criado é mapeado para o UUID do usuário LDAP. Adicionalmente, o DN fica em cache, assim como para reduzir a interação LDAP, mas não é utilizado para a identificação. Se o DN muda, as mudanças serão encontradas. O nome de usuário interno é utilizado em todo lugar. Limpar os mapeamentos não influencia a configuração. Limpar os mapeamentos deixará rastros em todo lugar. Limpar os mapeamentos não influencia a configuração, mas afeta as configurações LDAP! Somente limpe os mapeamentos em embiente de testes ou em estágio experimental." -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "Limpar Mapeamento de Usuário Nome de Usuário-LDAP" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "Limpar NomedoGrupo-LDAP Mapeamento do Grupo" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "Teste de Configuração" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Ajuda" diff --git a/l10n/pt_PT/core.po b/l10n/pt_PT/core.po index 7b568baecac..d1bc08b13f1 100644 --- a/l10n/pt_PT/core.po +++ b/l10n/pt_PT/core.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -145,55 +145,55 @@ msgstr "Dezembro" msgid "Settings" msgstr "Configurações" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "Minutos atrás" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "hoje" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "ontem" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "ultímo mês" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "meses atrás" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "ano passado" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "anos atrás" @@ -201,23 +201,19 @@ msgstr "anos atrás" msgid "Choose" msgstr "Escolha" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Cancelar" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "Erro ao carregar arquivo do separador modelo" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Sim" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Não" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Ok" @@ -624,14 +620,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "Olá,

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

    Cumprimentos!" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "anterior" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "seguinte" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/pt_PT/files.po b/l10n/pt_PT/files.po index 6c6d02291a7..3534f1cc596 100644 --- a/l10n/pt_PT/files.po +++ b/l10n/pt_PT/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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -96,12 +96,12 @@ msgstr "Espaço em disco insuficiente!" msgid "Upload cancelled." msgstr "Envio cancelado." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Envio de ficheiro em progresso. Irá cancelar o envio se sair da página agora." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "O URL não pode estar vazio." @@ -109,8 +109,8 @@ msgstr "O URL não pode estar vazio." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nome da pasta inválido. Palavra 'Shared' é reservado pela 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Erro" @@ -186,35 +186,41 @@ msgstr "O seu armazenamento está cheio, os ficheiros não podem ser sincronizad msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "O seu espaço de armazenamento está quase cheiro ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "O seu download está a ser preparado. Este processo pode demorar algum tempo se os ficheiros forem grandes." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Nome de pasta inválido. O Uso de 'shared' é reservado para o ownCloud" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Nome" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Tamanho" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Modificado" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/pt_PT/files_sharing.po b/l10n/pt_PT/files_sharing.po index b69a517b10a..200f818e9f3 100644 --- a/l10n/pt_PT/files_sharing.po +++ b/l10n/pt_PT/files_sharing.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-08 11:00+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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" diff --git a/l10n/pt_PT/lib.po b/l10n/pt_PT/lib.po index 890855582cf..c1a7fac6ec2 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -74,10 +74,6 @@ msgid "" "administrator." msgstr "Descarregue os ficheiros em partes menores, separados ou peça gentilmente ao seu administrador." -#: helper.php:235 -msgid "couldn't be determined" -msgstr "Não foi possível determinar" - #: json.php:28 msgid "Application is not enabled" msgstr "A aplicação não está activada" diff --git a/l10n/pt_PT/settings.po b/l10n/pt_PT/settings.po index b367d9ee7e4..c43a1c98a2c 100644 --- a/l10n/pt_PT/settings.po +++ b/l10n/pt_PT/settings.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: Helder Meneses \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -124,7 +124,11 @@ msgstr "Erro enquanto actualizava a aplicação" msgid "Updated" msgstr "Actualizado" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "A guardar..." @@ -169,7 +173,7 @@ msgstr "Erro a criar utilizador" msgid "A valid password must be provided" msgstr "Uma password válida deve ser fornecida" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "__language_name__" @@ -240,106 +244,106 @@ msgstr "Este servidor ownCloud não tem uma ligação de internet a funcionar. I msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Executar uma tarefa com cada página carregada" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "cron.php está registado num serviço webcron para chamar a página cron.php por http uma vez por minuto." -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "Use o serviço cron do sistema para chamar o ficheiro cron.php uma vez por minuto." -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Partilha" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Activar a API de partilha" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Permitir que os utilizadores usem a API de partilha" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Permitir links" -#: templates/admin.php:143 +#: templates/admin.php:135 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:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "Permitir Envios Públicos" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "Permitir aos utilizadores que possam definir outros utilizadores para carregar ficheiros para as suas pastas publicas" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Permitir repartilha" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "Permitir que os utilizadores partilhem itens partilhados com eles" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Permitir que os utilizadores partilhem com todos" -#: templates/admin.php:171 +#: templates/admin.php:163 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:178 +#: templates/admin.php:170 msgid "Security" msgstr "Segurança" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "Forçar HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "Forçar os clientes a ligar a %s através de uma ligação encriptada" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "Por favor ligue-se a %s através de uma ligação HTTPS para ligar/desligar o uso de ligação por SSL" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Registo" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Nível do registo" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Mais" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Menos" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Versão" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 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/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Nome de utilizador" diff --git a/l10n/pt_PT/user_ldap.po b/l10n/pt_PT/user_ldap.po index b843c86fd17..435fb626098 100644 --- a/l10n/pt_PT/user_ldap.po +++ b/l10n/pt_PT/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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -157,198 +157,185 @@ msgstr "Filtro de login de utilizador" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Define o filtro a aplicar, para aquando de uma tentativa de login. %%uid substitui o nome de utilizador utilizado." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "Use a variável %%uid , exemplo: \"uid=%%uid\"" - -#: templates/settings.php:56 msgid "User List Filter" msgstr "Utilizar filtro" -#: templates/settings.php:59 -msgid "Defines the filter to apply, when retrieving users." -msgstr "Defina o filtro a aplicar, ao recuperar utilizadores." - -#: templates/settings.php:60 -msgid "without any placeholder, e.g. \"objectClass=person\"." -msgstr "Sem variável. Exemplo: \"objectClass=pessoa\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "Filtrar por grupo" -#: templates/settings.php:64 -msgid "Defines the filter to apply, when retrieving groups." -msgstr "Defina o filtro a aplicar, ao recuperar grupos." - -#: templates/settings.php:65 -msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "Sem nenhuma variável. Exemplo: \"objectClass=posixGroup\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "Definições de ligação" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "Configuração activa" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "Se não estiver marcada, esta definição não será tida em conta." -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Porto" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "Servidor de Backup (Réplica)" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "Forneça um servidor (anfitrião) de backup. Deve ser uma réplica do servidor principal de LDAP/AD " -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "Porta do servidor de backup (Replica)" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "Desactivar servidor principal" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Usar TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "Não utilize para adicionar ligações LDAP, irá falhar!" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "Servidor LDAP (Windows) não sensível a maiúsculas." -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Desligar a validação de certificado SSL." -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "Não recomendado, utilizado apenas para testes!" - -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "Cache do tempo de vida dos objetos no servidor" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "em segundos. Uma alteração esvazia a cache." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "Definições de directorias" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "Mostrador do nome de utilizador." -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "Base da árvore de utilizadores." -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "Uma base de utilizador DN por linha" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "Utilizar atributos de pesquisa" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "Opcional; Um atributo por linha" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "Mostrador do nome do grupo." -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "Base da árvore de grupos." -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "Uma base de grupo DN por linha" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "Atributos de pesquisa de grupo" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "Associar utilizador ao grupo." -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "Atributos especiais" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "Quota" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "Quota padrão" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "em bytes" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "Campo de email" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "Regra da pasta inicial do utilizador" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "Deixe vazio para nome de utilizador (padrão). De outro modo, especifique um atributo LDAP/AD." -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "Nome de utilizador interno" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -364,15 +351,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "Atributo do nome de utilizador interno" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "Passar a detecção do UUID" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -383,15 +370,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "Atributo UUID:" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "Mapeamento do utilizador LDAP" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -405,18 +392,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "Limpar mapeamento do utilizador-LDAP" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "Limpar o mapeamento do nome de grupo LDAP" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "Testar a configuração" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Ajuda" diff --git a/l10n/ro/core.po b/l10n/ro/core.po index 39cd512c1a5..94a85870e9b 100644 --- a/l10n/ro/core.po +++ b/l10n/ro/core.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -145,59 +145,59 @@ msgstr "Decembrie" msgid "Settings" msgstr "Setări" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "secunde în urmă" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "astăzi" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "ieri" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "ultima lună" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "luni în urmă" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "ultimul an" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "ani în urmă" @@ -205,23 +205,19 @@ msgstr "ani în urmă" msgid "Choose" msgstr "Alege" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Anulare" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "Eroare la încărcarea șablonului selectorului de fișiere" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Da" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Nu" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Ok" @@ -628,14 +624,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "Salutare,

    Vă aduc la cunoștință că %s a partajat %s cu tine.
    Accesează-l!

    Numai bine!" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "precedentul" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "următorul" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/ro/files.po b/l10n/ro/files.po index 93dc92fbfb4..7f0ae89b77f 100644 --- a/l10n/ro/files.po +++ b/l10n/ro/files.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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -97,12 +97,12 @@ msgstr "Nu este suficient spațiu disponibil" msgid "Upload cancelled." msgstr "Încărcare anulată." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Fișierul este în curs de încărcare. Părăsirea paginii va întrerupe încărcarea." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "Adresa URL nu poate fi goală." @@ -110,8 +110,8 @@ msgstr "Adresa URL nu poate fi goală." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nume de dosar invalid. Utilizarea 'Shared' e rezervată de 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Eroare" @@ -188,36 +188,42 @@ msgstr "Spatiul de stocare este plin, nu mai puteti incarca s-au sincroniza alte msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "Spatiul de stocare este aproape plin ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Se pregătește descărcarea. Aceasta poate să dureze ceva timp dacă fișierele sunt mari." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Invalid folder name. Usage of 'Shared' is reserved by Ownclou" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Nume" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Dimensiune" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Modificat" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/ro/files_sharing.po b/l10n/ro/files_sharing.po index bf1518c49c3..34575f9a246 100644 --- a/l10n/ro/files_sharing.po +++ b/l10n/ro/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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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 28319ce8b44..d09f1365448 100644 --- a/l10n/ro/lib.po +++ b/l10n/ro/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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-15 13:50+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -74,10 +74,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "nu poate fi determinat" - #: json.php:28 msgid "Application is not enabled" msgstr "Aplicația nu este activată" diff --git a/l10n/ro/settings.po b/l10n/ro/settings.po index 1889d0846af..48188399867 100644 --- a/l10n/ro/settings.po +++ b/l10n/ro/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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:10+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" @@ -121,7 +121,11 @@ msgstr "Eroare în timpul actualizării aplicaţiei" msgid "Updated" msgstr "Actualizat" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Se salvează..." @@ -166,7 +170,7 @@ msgstr "Eroare la crearea utilizatorului" msgid "A valid password must be provided" msgstr "Trebuie să furnizaţi o parolă validă" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "_language_name_" @@ -237,106 +241,106 @@ msgstr "" msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Execută o sarcină la fiecare pagină încărcată" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Partajare" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Activare API partajare" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Permite aplicațiilor să folosească API-ul de partajare" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Pemite legături" -#: templates/admin.php:143 +#: templates/admin.php:135 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:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Permite repartajarea" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "Permite utilizatorilor să repartajeze fișiere partajate cu ei" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Permite utilizatorilor să partajeze cu oricine" -#: templates/admin.php:171 +#: templates/admin.php:163 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:178 +#: templates/admin.php:170 msgid "Security" msgstr "Securitate" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Jurnal de activitate" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Nivel jurnal" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Mai mult" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Mai puțin" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Versiunea" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "Încriptare" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/ro/user_ldap.po b/l10n/ro/user_ldap.po index 2d78008fc4e..db4843a8a90 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "Filtrare după Nume Utilizator" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Definește fitrele care trebuie aplicate, când se încearcă conectarea. %%uid înlocuiește numele utilizatorului în procesul de conectare." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "folosiți substituentul %%uid , d.e. \"uid=%%uid\"" - -#: templates/settings.php:56 msgid "User List Filter" msgstr "Filtrarea după lista utilizatorilor" -#: templates/settings.php:59 -msgid "Defines the filter to apply, when retrieving users." -msgstr "Definește filtrele care trebui aplicate, când se peiau utilzatorii." - -#: templates/settings.php:60 -msgid "without any placeholder, e.g. \"objectClass=person\"." -msgstr "fără substituenți, d.e. \"objectClass=person\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "Fitrare Grup" -#: templates/settings.php:64 -msgid "Defines the filter to apply, when retrieving groups." -msgstr "Definește filtrele care se aplică, când se preiau grupurile." - -#: templates/settings.php:65 -msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "fără substituenți, d.e. \"objectClass=posixGroup\"" +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Portul" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Utilizează TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "Server LDAP insensibil la majuscule (Windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Oprește validarea certificatelor SSL " -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "Nu este recomandat, a se utiliza doar pentru testare." - -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "în secunde. O schimbare curăță memoria tampon." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "Câmpul cu numele vizibil al utilizatorului" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "Arborele de bază al Utilizatorilor" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "Un User Base DN pe linie" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "Câmpul cu numele grupului" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "Arborele de bază al Grupurilor" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "Un Group Base DN pe linie" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "Asocierea Grup-Membru" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "în octeți" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "Lăsați gol pentru numele de utilizator (implicit). În caz contrar, specificați un atribut LDAP / AD." -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Ajutor" diff --git a/l10n/ru/core.po b/l10n/ru/core.po index 81dee27e6ca..0eea0c71445 100644 --- a/l10n/ru/core.po +++ b/l10n/ru/core.po @@ -6,6 +6,7 @@ # alfsoft , 2013 # lord93 , 2013 # foool , 2013 +# eurekafag , 2013 # Victor Bravo <>, 2013 # Vyacheslav Muranov , 2013 # Den4md , 2013 @@ -14,8 +15,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -148,59 +149,59 @@ msgstr "Декабрь" msgid "Settings" msgstr "Конфигурация" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "несколько секунд назад" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "%n минуту назад" +msgstr[1] "%n минуты назад" +msgstr[2] "%n минут назад" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "%n час назад" +msgstr[1] "%n часа назад" +msgstr[2] "%n часов назад" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "сегодня" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "вчера" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "%n день назад" +msgstr[1] "%n дня назад" +msgstr[2] "%n дней назад" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "в прошлом месяце" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "%n месяц назад" +msgstr[1] "%n месяца назад" +msgstr[2] "%n месяцев назад" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "несколько месяцев назад" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "в прошлом году" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "несколько лет назад" @@ -208,23 +209,19 @@ msgstr "несколько лет назад" msgid "Choose" msgstr "Выбрать" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Отменить" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "Ошибка при загрузке файла выбора шаблона" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Да" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Нет" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Ок" @@ -391,7 +388,7 @@ msgstr "Обновление прошло успешно. Перенаправл #: lostpassword/controller.php:61 #, php-format msgid "%s password reset" -msgstr "" +msgstr "%s сброс пароля" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" @@ -592,7 +589,7 @@ msgstr "Выйти" #: templates/layout.user.php:100 msgid "More apps" -msgstr "" +msgstr "Ещё приложения" #: templates/login.php:9 msgid "Automatic logon rejected!" @@ -631,14 +628,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "Приветствую,

    просто даю знать, что %s поделился »%s« с вами.
    Посмотреть!

    Удачи!" -#: 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." diff --git a/l10n/ru/files.po b/l10n/ru/files.po index 1c35fe5430d..a34e9fe5a4c 100644 --- a/l10n/ru/files.po +++ b/l10n/ru/files.po @@ -4,6 +4,7 @@ # # Translators: # lord93 , 2013 +# eurekafag , 2013 # Victor Bravo <>, 2013 # hackproof , 2013 # Friktor , 2013 @@ -11,8 +12,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -98,12 +99,12 @@ msgstr "Недостаточно свободного места" msgid "Upload cancelled." msgstr "Загрузка отменена." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Файл в процессе загрузки. Покинув страницу вы прервёте загрузку." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "Ссылка не может быть пустой." @@ -111,8 +112,8 @@ msgstr "Ссылка не может быть пустой." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Ошибка" @@ -159,9 +160,9 @@ msgstr "отмена" #: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "Закачка %n файла" +msgstr[1] "Закачка %n файлов" +msgstr[2] "Закачка %n файлов" #: js/filelist.js:518 msgid "files uploading" @@ -189,41 +190,47 @@ msgstr "Ваше дисковое пространство полностью з msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "Ваше хранилище почти заполнено ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Загрузка началась. Это может потребовать много времени, если файл большого размера." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Неправильное имя каталога. Имя 'Shared' зарезервировано." -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Имя" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Размер" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Изменён" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "%n папка" +msgstr[1] "%n папки" +msgstr[2] "%n папок" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "%n файл" +msgstr[1] "%n файла" +msgstr[2] "%n файлов" #: lib/app.php:73 #, php-format diff --git a/l10n/ru/files_encryption.po b/l10n/ru/files_encryption.po index c8c997b80a2..fc4c452a0a9 100644 --- a/l10n/ru/files_encryption.po +++ b/l10n/ru/files_encryption.po @@ -7,14 +7,15 @@ # alfsoft , 2013 # lord93 , 2013 # jekader , 2013 +# eurekafag , 2013 # Victor Bravo <>, 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-17 10:40+0000\n" +"Last-Translator: eurekafag \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" @@ -66,20 +67,20 @@ msgid "" "files." msgstr "Ваш секретный ключ не действителен! Вероятно, ваш пароль был изменен вне системы OwnCloud (например, корпоративный каталог). Вы можете обновить секретный ключ в личных настройках на странице восстановления доступа к зашифрованным файлам. " -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "Требования отсутствуют." -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." -msgstr "" +msgstr "Пожалуйста, убедитесь, что версия PHP 5.3.3 или новее, а также, что OpenSSL и соответствующее расширение PHP включены и правильно настроены. На данный момент приложение шифрования отключено." -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" -msgstr "" +msgstr "Для следующих пользователей шифрование не настроено:" #: js/settings-admin.js:11 msgid "Saving..." diff --git a/l10n/ru/files_sharing.po b/l10n/ru/files_sharing.po index 244bdea5e0b..5553e3a10ad 100644 --- a/l10n/ru/files_sharing.po +++ b/l10n/ru/files_sharing.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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+0000\n" "Last-Translator: Den4md \n" "Language-Team: Russian (http://www.transifex.com/projects/p/owncloud/language/ru/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/ru/files_trashbin.po b/l10n/ru/files_trashbin.po index c0a473a4e6d..da4605cba1b 100644 --- a/l10n/ru/files_trashbin.po +++ b/l10n/ru/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-17 10:40+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" @@ -57,14 +57,14 @@ msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -msgstr[2] "" +msgstr[2] "%n папок" #: js/trash.js:197 msgid "%n file" msgid_plural "%n files" msgstr[0] "" msgstr[1] "" -msgstr[2] "" +msgstr[2] "%n файлов" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/ru/lib.po b/l10n/ru/lib.po index fe99071b8b5..a2908e78ace 100644 --- a/l10n/ru/lib.po +++ b/l10n/ru/lib.po @@ -4,13 +4,14 @@ # # Translators: # Alexander Shashkevych , 2013 +# eurekafag , 2013 # Friktor , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -75,10 +76,6 @@ msgid "" "administrator." msgstr "Загрузите файл маленьшими порциями, раздельно или вежливо попросите Вашего администратора." -#: helper.php:235 -msgid "couldn't be determined" -msgstr "Невозможно установить" - #: json.php:28 msgid "Application is not enabled" msgstr "Приложение не разрешено" @@ -210,16 +207,16 @@ msgstr "несколько секунд назад" #: template/functions.php:81 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "%n минута назад" +msgstr[1] "%n минуты назад" +msgstr[2] "%n минут назад" #: template/functions.php:82 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "%n час назад" +msgstr[1] "%n часа назад" +msgstr[2] "%n часов назад" #: template/functions.php:83 msgid "today" @@ -232,9 +229,9 @@ msgstr "вчера" #: template/functions.php:85 msgid "%n day go" msgid_plural "%n days ago" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "%n день назад" +msgstr[1] "%n дня назад" +msgstr[2] "%n дней назад" #: template/functions.php:86 msgid "last month" @@ -243,9 +240,9 @@ msgstr "в прошлом месяце" #: template/functions.php:87 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "%n месяц назад" +msgstr[1] "%n месяца назад" +msgstr[2] "%n месяцев назад" #: template/functions.php:88 msgid "last year" diff --git a/l10n/ru/settings.po b/l10n/ru/settings.po index 32a1640562d..effbf173e9d 100644 --- a/l10n/ru/settings.po +++ b/l10n/ru/settings.po @@ -6,16 +6,16 @@ # Alexander Shashkevych , 2013 # alfsoft , 2013 # lord93 , 2013 -# eurekafag , 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: Alexander Shashkevych \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:10+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" @@ -126,7 +126,11 @@ msgstr "Ошибка при обновлении приложения" msgid "Updated" msgstr "Обновлено" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Сохранение..." @@ -171,7 +175,7 @@ msgstr "Ошибка создания пользователя" msgid "A valid password must be provided" msgstr "Укажите валидный пароль" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "Русский " @@ -242,106 +246,106 @@ msgstr "Этот сервер не имеет подключения к сети msgid "Cron" msgstr "Планировщик задач по расписанию" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Выполнять одно задание с каждой загруженной страницей" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "cron.php зарегистрирован в сервисе webcron, чтобы cron.php вызывался раз в минуту используя http." -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "Использовать системный сервис cron для вызова cron.php раз в минуту." -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Общий доступ" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Включить API общего доступа" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Позволить приложениям использовать API общего доступа" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Разрешить ссылки" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "Разрешить пользователям открывать в общий доступ элементы с публичной ссылкой" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "Разрешить открытые загрузки" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "Разрешить пользователям позволять другим загружать в их открытые папки" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Разрешить переоткрытие общего доступа" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "Позволить пользователям открывать общий доступ к эллементам уже открытым в общий доступ" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Разрешить пользователя делать общий доступ любому" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "Разрешить пользователям делать общий доступ только для пользователей их групп" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "Безопасность" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "Принудить к HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "Принудить клиентов подключаться к %s через шифрованное соединение." -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "Пожалуйста, подключитесь к %s используя HTTPS чтобы включить или отключить принудительное SSL." -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Лог" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Уровень лога" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Больше" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Меньше" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Версия" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "Используйте этот адрес чтобы получить доступ к вашим файлам через WebDav - " +#: templates/personal.php:117 +msgid "Encryption" +msgstr "Шифрование" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Имя пользователя" diff --git a/l10n/ru/user_ldap.po b/l10n/ru/user_ldap.po index a2e443c735b..f47972aa0b7 100644 --- a/l10n/ru/user_ldap.po +++ b/l10n/ru/user_ldap.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: Alexander Shashkevych \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -157,198 +157,185 @@ msgstr "Фильтр входа пользователей" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Определяет фильтр для применения при попытке входа. %%uid заменяет имя пользователя при входе в систему." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "используйте заполнитель %%uid, например: \"uid=%%uid\"" - -#: 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 "без заполнителя, например: \"objectClass=person\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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 "без заполнения, например \"objectClass=posixGroup\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "Настройки подключения" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "Конфигурация активна" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "Когда галочка снята, эта конфигурация будет пропущена." -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Порт" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "Адрес резервного сервера" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "Укажите дополнительный резервный сервер. Он должен быть репликой главного LDAP/AD сервера." -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "Порт резервного сервера" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "Отключение главного сервера" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Использовать TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "Не используйте совместно с безопасными подключениями (LDAPS), это не сработает." -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "Нечувствительный к регистру сервер LDAP (Windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Отключить проверку сертификата SSL." -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "Не рекомендуется, используйте только для тестирования." - -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "Кэш времени жизни" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "в секундах. Изменение очистит кэш." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "Настройки каталога" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "Поле отображаемого имени пользователя" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "База пользовательского дерева" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "По одной базовому DN пользователей в строке." -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "Поисковые атрибуты пользователя" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "Опционально; один атрибут на линию" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "Поле отображаемого имени группы" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "База группового дерева" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "По одной базовому DN групп в строке." -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "Атрибуты поиска для группы" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "Ассоциация Группа-Участник" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "Специальные атрибуты" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "Поле квота" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "Квота по умолчанию" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "в байтах" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "Поле адресса эллектронной почты" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "Правило именования Домашней Папки Пользователя" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "Оставьте имя пользователя пустым (по умолчанию). Иначе укажите атрибут LDAP/AD." -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "Внутреннее имя пользователя" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -364,15 +351,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "Аттрибут для внутреннего имени:" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "Переопределить нахождение UUID" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -383,15 +370,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "Аттрибут для UUID:" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "Соответствия Имя-Пользователь LDAP" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -405,18 +392,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "Очистить соответствия Имя-Пользователь LDAP" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "Очистить соответствия Группа-Группа LDAP" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "Тестовая конфигурация" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Помощь" diff --git a/l10n/si_LK/core.po b/l10n/si_LK/core.po index 01e83cce14a..1f04852c7aa 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -141,55 +141,55 @@ msgstr "දෙසැම්බර්" msgid "Settings" msgstr "සිටුවම්" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "තත්පරයන්ට පෙර" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "අද" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "ඊයේ" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "පෙර මාසයේ" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "මාස කීපයකට පෙර" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "පෙර අවුරුද්දේ" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "අවුරුදු කීපයකට පෙර" @@ -197,23 +197,19 @@ msgstr "අවුරුදු කීපයකට පෙර" msgid "Choose" msgstr "තෝරන්න" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "එපා" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "ඔව්" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "එපා" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "හරි" @@ -620,14 +616,6 @@ msgid "" "href=\"%s\">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." diff --git a/l10n/si_LK/files.po b/l10n/si_LK/files.po index 57a6b5a168a..b0ac13562ad 100644 --- a/l10n/si_LK/files.po +++ b/l10n/si_LK/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -94,12 +94,12 @@ msgstr "" msgid "Upload cancelled." msgstr "උඩුගත කිරීම අත් හරින්න ලදී" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "උඩුගතකිරීමක් සිදුවේ. පිටුව හැර යාමෙන් එය නැවතෙනු ඇත" -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "යොමුව හිස් විය නොහැක" @@ -107,8 +107,8 @@ msgstr "යොමුව හිස් විය නොහැක" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "දෝෂයක්" @@ -184,35 +184,41 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "නම" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "ප්‍රමාණය" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "වෙනස් කළ" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/si_LK/files_sharing.po b/l10n/si_LK/files_sharing.po index 83f086d0d7c..b281c905bc2 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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 838b32a1fdc..8bd7dedc627 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "යෙදුම සක්‍රිය කර නොමැත" diff --git a/l10n/si_LK/settings.po b/l10n/si_LK/settings.po index 1d82e019d90..364c8db12f0 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:10+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" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "සුරැකෙමින් පවතී..." @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "හුවමාරු කිරීම" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "යොමු සලසන්න" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "යළි යළිත් හුවමාරුවට අවසර දෙමි" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "හුවමාරු කළ හුවමාරුවට අවසර දෙමි" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "ඕනෑම අයෙකු හා හුවමාරුවට අවසර දෙමි" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "තම කණ්ඩායමේ අයෙකු හා පමණක් හුවමාරුවට අවසර දෙමි" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "ලඝුව" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "වැඩි" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "අඩු" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "ගුප්ත කේතනය" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/si_LK/user_ldap.po b/l10n/si_LK/user_ldap.po index fef4fb3d55a..d45dc541340 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "පරිශීලක පිවිසුම් පෙරහන" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "තොට" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "TLS භාවිතා කරන්න" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "නිර්දේශ කළ නොහැක. පරීක්ෂණ සඳහා පමණක් භාවිත කරන්න" - -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "උදව්" diff --git a/l10n/sk/core.po b/l10n/sk/core.po index d92fbb15323..d3d50d2c755 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -141,59 +141,59 @@ msgstr "" msgid "Settings" msgstr "" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "" @@ -201,23 +201,19 @@ msgstr "" msgid "Choose" msgstr "" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "" @@ -624,14 +620,6 @@ msgid "" "href=\"%s\">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." diff --git a/l10n/sk/files.po b/l10n/sk/files.po index 03e5389517a..df3871ecaa7 100644 --- a/l10n/sk/files.po +++ b/l10n/sk/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -94,12 +94,12 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "" @@ -107,8 +107,8 @@ msgstr "" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "" @@ -185,36 +185,42 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/sk/lib.po b/l10n/sk/lib.po index 1956868b0db..00f4b5abfa4 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/sk/settings.po b/l10n/sk/settings.po index bb053c28194..44c3a024c0e 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-07-27 01:56-0400\n" -"PO-Revision-Date: 2013-07-25 05:57+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "" @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/sk/user_ldap.po b/l10n/sk/user_ldap.po index 96f620bab61..0c3d5db2fe9 100644 --- a/l10n/sk/user_ldap.po +++ b/l10n/sk/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-27 01:56-0400\n" -"PO-Revision-Date: 2013-07-27 05:56+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "" diff --git a/l10n/sk_SK/core.po b/l10n/sk_SK/core.po index 025c8016e01..d8c9901c99f 100644 --- a/l10n/sk_SK/core.po +++ b/l10n/sk_SK/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -142,59 +142,59 @@ msgstr "December" msgid "Settings" msgstr "Nastavenia" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "pred sekundami" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "dnes" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "včera" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "minulý mesiac" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "pred mesiacmi" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "minulý rok" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "pred rokmi" @@ -202,23 +202,19 @@ msgstr "pred rokmi" msgid "Choose" msgstr "Výber" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Zrušiť" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "Chyba pri načítaní šablóny výberu súborov" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Áno" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Nie" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Ok" @@ -625,14 +621,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "Ahoj,

    chcem Vám oznámiť, že %s s Vami zdieľa %s.\nPozrieť si to môžete tu:
    zde.

    Vďaka" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "späť" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "ďalej" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/sk_SK/files.po b/l10n/sk_SK/files.po index 998fb959654..869a701eaab 100644 --- a/l10n/sk_SK/files.po +++ b/l10n/sk_SK/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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -95,12 +95,12 @@ msgstr "Nie je k dispozícii dostatok miesta" msgid "Upload cancelled." msgstr "Odosielanie zrušené." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Opustenie stránky zruší práve prebiehajúce odosielanie súboru." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "URL nemôže byť prázdne." @@ -108,8 +108,8 @@ msgstr "URL nemôže byť prázdne." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Neplatný názov priečinka. Názov \"Shared\" je rezervovaný pre 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Chyba" @@ -186,36 +186,42 @@ msgstr "Vaše úložisko je plné. Súbory nemožno aktualizovať ani synchroniz msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "Vaše úložisko je takmer plné ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Vaše sťahovanie sa pripravuje. Ak sú sťahované súbory veľké, môže to chvíľu trvať." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Neplatné meno priečinka. Používanie mena 'Shared' je vyhradené len pre Owncloud" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Názov" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Veľkosť" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Upravené" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/sk_SK/files_sharing.po b/l10n/sk_SK/files_sharing.po index 24320a2a13c..1a88ff07b4c 100644 --- a/l10n/sk_SK/files_sharing.po +++ b/l10n/sk_SK/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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-07 19:30+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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/sk_SK/lib.po b/l10n/sk_SK/lib.po index b403893d8bb..ede2a4e9a36 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -74,10 +74,6 @@ msgid "" "administrator." msgstr "Stiahnite súbory po menších častiach, samostatne, alebo sa obráťte na správcu." -#: helper.php:235 -msgid "couldn't be determined" -msgstr "nedá sa zistiť" - #: json.php:28 msgid "Application is not enabled" msgstr "Aplikácia nie je zapnutá" diff --git a/l10n/sk_SK/settings.po b/l10n/sk_SK/settings.po index 2d3c21ee9a0..d32db56a5de 100644 --- a/l10n/sk_SK/settings.po +++ b/l10n/sk_SK/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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -121,7 +121,11 @@ msgstr "chyba pri aktualizácii aplikácie" msgid "Updated" msgstr "Aktualizované" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Ukladám..." @@ -166,7 +170,7 @@ msgstr "Chyba pri vytváraní používateľa" msgid "A valid password must be provided" msgstr "Musíte zadať platné heslo" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "Slovensky" @@ -237,106 +241,106 @@ msgstr "" msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Vykonať jednu úlohu s každým načítaní stránky" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Zdieľanie" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Povoliť API zdieľania" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Povoliť aplikáciám používať API na zdieľanie" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Povoliť odkazy" -#: templates/admin.php:143 +#: templates/admin.php:135 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:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Povoliť zdieľanie ďalej" -#: templates/admin.php:161 +#: templates/admin.php:153 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:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Povoliť používateľom zdieľať s kýmkoľvek" -#: templates/admin.php:171 +#: templates/admin.php:163 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:178 +#: templates/admin.php:170 msgid "Security" msgstr "Zabezpečenie" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "Vynútiť HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Záznam" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Úroveň záznamu" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Viac" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Menej" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Verzia" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 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/personal.php:117 +msgid "Encryption" +msgstr "Šifrovanie" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Prihlasovacie meno" diff --git a/l10n/sk_SK/user_ldap.po b/l10n/sk_SK/user_ldap.po index cdf1ed0ff8c..0c495d4dbcc 100644 --- a/l10n/sk_SK/user_ldap.po +++ b/l10n/sk_SK/user_ldap.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" -"Last-Translator: mhh \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -155,198 +155,185 @@ msgstr "Filter prihlásenia používateľov" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Určuje použitý filter, pri pokuse o prihlásenie. %%uid nahradzuje používateľské meno v činnosti prihlásenia." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "použite zástupný vzor %%uid, napr. \\\"uid=%%uid\\\"" - -#: templates/settings.php:56 msgid "User List Filter" msgstr "Filter zoznamov používateľov" -#: templates/settings.php:59 -msgid "Defines the filter to apply, when retrieving users." -msgstr "Definuje použitý filter, pre získanie používateľov." - -#: templates/settings.php:60 -msgid "without any placeholder, e.g. \"objectClass=person\"." -msgstr "bez zástupných znakov, napr. \"objectClass=person\"" +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "Filter skupiny" -#: templates/settings.php:64 -msgid "Defines the filter to apply, when retrieving groups." -msgstr "Definuje použitý filter, pre získanie skupín." - -#: templates/settings.php:65 -msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "bez zástupných znakov, napr. \"objectClass=posixGroup\"" +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "Nastavenie pripojenia" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "Nastavenia sú aktívne " -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "Ak nie je zaškrtnuté, nastavenie bude preskočené." -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Port" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "Záložný server (kópia) hosť" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "Zadajte záložný LDAP/AD. Musí to byť kópia hlavného LDAP/AD servera." -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "Záložný server (kópia) port" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "Zakázať hlavný server" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "Pripojiť sa len k záložnému serveru." -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Použi TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "Nepoužívajte pre pripojenie LDAPS, zlyhá." -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "LDAP server nerozlišuje veľkosť znakov (Windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Vypnúť overovanie SSL certifikátu." -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "Ak pripojenie pracuje len s touto možnosťou, tak naimportujte SSL certifikát LDAP servera do vášho %s servera." - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "Nie je doporučované, len pre testovacie účely." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." +msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "Životnosť objektov v cache" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "v sekundách. Zmena vyprázdni vyrovnávaciu pamäť." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "Nastavenie priečinka" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "Pole pre zobrazenia mena používateľa" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "Atribút LDAP použitý na vygenerovanie zobrazovaného mena používateľa. " -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "Základný používateľský strom" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "Jedna používateľská základná DN na riadok" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "Atribúty vyhľadávania používateľov" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "Voliteľné, jeden atribút na jeden riadok" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "Pole pre zobrazenie mena skupiny" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "Atribút LDAP použitý na vygenerovanie zobrazovaného mena skupiny." -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "Základný skupinový strom" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "Jedna skupinová základná DN na riadok" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "Atribúty vyhľadávania skupín" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "Priradenie člena skupiny" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "Špeciálne atribúty" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "Pole kvóty" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "Predvolená kvóta" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "v bajtoch" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "Pole email" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "Pravidlo pre nastavenie mena používateľského priečinka dát" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "Nechajte prázdne pre používateľské meno (predvolené). Inak uveďte atribút LDAP/AD." -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "Interné používateľské meno" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -362,15 +349,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "V predvolenom nastavení bude interné používateľské meno vytvorené z UUID atribútu. Zabezpečí sa to, že používateľské meno bude jedinečné a znaky nemusia byť prevedené. Interné meno má obmedzenie, iba tieto znaky sú povolené: [a-zA-Z0-9_ @ -.]. Ostatné znaky sú nahradené ich ASCII alebo jednoducho vynechané. Pri kolíziách používateľských mien bude číslo pridané / odobrané. Interné používateľské meno sa používa na internú identifikáciu používateľa. Je tiež predvoleným názvom používateľského domovského priečinka v ownCloud. Je tiež súčasťou URL pre vzdialený prístup, napríklad pre všetky služby * DAV. S týmto nastavením sa dá prepísať predvolené správanie. Pre dosiahnutie podobného správania sa ako pred verziou ownCloud 5 zadajte atribút zobrazenia používateľského mena v tomto poli. Ponechajte prázdne pre predvolené správanie. Zmeny budú mať vplyv iba na novo namapovaných (pridaných) LDAP používateľov." -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "Atribút interného používateľského mena:" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "Prepísať UUID detekciu" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -381,15 +368,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "V predvolenom nastavení je UUID atribút detekovaný automaticky. UUID atribút je použitý na jedinečnú identifikáciu používateľov a skupín z LDAP. Naviac je na základe UUID vytvorené tiež interné použivateľské meno, ak nie je nastavené inak. Môžete predvolené nastavenie prepísať a použiť atribút ktorý si sami zvolíte. Musíte sa ale ubezpečiť, že atribút ktorý vyberiete bude uvedený pri použivateľoch, aj pri skupinách a je jedinečný. Ponechajte prázdne pre predvolené správanie. Zmena bude mať vplyv len na novo namapovaných (pridaných) používateľov a skupiny z LDAP." -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "UUID atribút:" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "Mapovanie názvov LDAP používateľských mien" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -403,18 +390,18 @@ msgid "" "experimental stage." msgstr "Použivateľské mená sa používajú pre uchovávanie a priraďovanie (meta)dát. Pre správnu identifikáciu a rozpoznanie používateľov bude mať každý používateľ z LDAP interné používateľské meno. To je nevyhnutné pre namapovanie používateľských mien na používateľov v LDAP. Vytvorené používateľské meno je namapované na UUID používateľa v LDAP. Naviac je cachovaná DN pre obmedzenie interakcie s LDAP, ale nie je používaná pre identifikáciu. Ak sa DN zmení, bude to správne rozpoznané. Interné používateľské meno sa používa všade. Vyčistenie namapování vymaže zvyšky všade. Vyčistenie naviac nie je špecifické, bude mať vplyv na všetky LDAP konfigurácie! Nikdy nečistite namapovanie v produkčnom prostredí, len v testovacej alebo experimentálnej fáze." -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "Zrušiť mapovanie LDAP používateľských mien" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "Zrušiť mapovanie názvov LDAP skupín" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "Test nastavenia" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Pomoc" diff --git a/l10n/sl/core.po b/l10n/sl/core.po index f659c22faf9..52899493b69 100644 --- a/l10n/sl/core.po +++ b/l10n/sl/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -143,11 +143,11 @@ msgstr "december" msgid "Settings" msgstr "Nastavitve" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "pred nekaj sekundami" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" @@ -155,7 +155,7 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" @@ -163,15 +163,15 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "danes" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "včeraj" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" @@ -179,11 +179,11 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "zadnji mesec" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" @@ -191,15 +191,15 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "mesecev nazaj" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "lansko leto" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "let nazaj" @@ -207,23 +207,19 @@ msgstr "let nazaj" msgid "Choose" msgstr "Izbor" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Prekliči" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "Napaka pri nalaganju predloge za izbor dokumenta" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Da" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Ne" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "V redu" @@ -630,14 +626,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "Pozdravljen/a,

    sporočam, da je %s delil »%s« s teboj.
    Poglej vsebine!

    Lep pozdrav!" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "nazaj" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "naprej" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/sl/files.po b/l10n/sl/files.po index 00ab5c60460..693f82abed7 100644 --- a/l10n/sl/files.po +++ b/l10n/sl/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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -95,12 +95,12 @@ msgstr "Na voljo ni dovolj prostora." msgid "Upload cancelled." msgstr "Pošiljanje je preklicano." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "V teku je pošiljanje datoteke. Če zapustite to stran zdaj, bo pošiljanje preklicano." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "Naslov URL ne sme biti prazna vrednost." @@ -108,8 +108,8 @@ msgstr "Naslov URL ne sme biti prazna vrednost." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Ime mape je neveljavno. Uporaba oznake \"Souporaba\" je rezervirana za 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Napaka" @@ -187,29 +187,35 @@ msgstr "Shramba je povsem napolnjena. Datotek ni več mogoče posodabljati in us msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "Mesto za shranjevanje je skoraj polno ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Postopek priprave datoteke za prejem je lahko dolgotrajen, če je datoteka zelo velika." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Neveljavno ime mape. Uporaba oznake \"Souporaba\" je zadržan za sistem ownCloud." -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Ime" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Velikost" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Spremenjeno" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" @@ -217,7 +223,7 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/sl/files_sharing.po b/l10n/sl/files_sharing.po index 47e1076f579..4ee20dcd09f 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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 fc3455dabda..a1879f4bce7 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -74,10 +74,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "ni mogoče določiti" - #: json.php:28 msgid "Application is not enabled" msgstr "Program ni omogočen" diff --git a/l10n/sl/settings.po b/l10n/sl/settings.po index 2733327ae90..e2de63cda07 100644 --- a/l10n/sl/settings.po +++ b/l10n/sl/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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:10+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" @@ -122,7 +122,11 @@ msgstr "Prišlo je do napake med posodabljanjem programa." msgid "Updated" msgstr "Posodobljeno" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Poteka shranjevanje ..." @@ -167,7 +171,7 @@ msgstr "Napaka ustvarjanja uporabnika" msgid "A valid password must be provided" msgstr "Navedeno mora biti veljavno geslo" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "Slovenščina" @@ -238,106 +242,106 @@ msgstr "" msgid "Cron" msgstr "Periodično opravilo" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Izvedi eno nalogo z vsako naloženo stranjo." -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Souporaba" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Omogoči API souporabe" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Dovoli programom uporabo vmesnika API souporabe" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Dovoli povezave" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "Uporabnikom dovoli souporabo predmetov z javnimi povezavami" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Dovoli nadaljnjo souporabo" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "Uporabnikom dovoli nadaljnjo souporabo predmetov" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Uporabnikom dovoli souporabo s komerkoli" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "Uporabnikom dovoli souporabo z ostalimi uporabniki njihove skupine" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "Varnost" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "Zahtevaj uporabo HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Dnevnik" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Raven beleženja" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Več" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Manj" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Različica" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "Šifriranje" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Prijavno ime" diff --git a/l10n/sl/user_ldap.po b/l10n/sl/user_ldap.po index 165251eeea3..cc6fa550f76 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -155,198 +155,185 @@ msgstr "Filter prijav uporabnikov" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Določi filter, uporabljen pri prijavi. %%uid nadomesti uporabniško ime v postopku prijave." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "Uporabite vsebnik %%uid, npr. \"uid=%%uid\"." - -#: templates/settings.php:56 msgid "User List Filter" msgstr "Filter seznama uporabnikov" -#: templates/settings.php:59 -msgid "Defines the filter to apply, when retrieving users." -msgstr "Določi filter za uporabo med pridobivanjem uporabnikov." - -#: templates/settings.php:60 -msgid "without any placeholder, e.g. \"objectClass=person\"." -msgstr "Brez kateregakoli vsebnika, npr. \"objectClass=person\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "Filter skupin" -#: templates/settings.php:64 -msgid "Defines the filter to apply, when retrieving groups." -msgstr "Določi filter za uporabo med pridobivanjem skupin." - -#: templates/settings.php:65 -msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "Brez katerekoli vsebnika, npr. \"objectClass=posixGroup\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "Nastavitve povezave" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "Dejavna nastavitev" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "Neizbrana možnost preskoči nastavitev." -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Vrata" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "Varnostna kopija (replika) podatkov gostitelja" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "Podati je treba izbirno varnostno kopijo gostitelja. Ta mora biti natančna replika strežnika LDAP/AD." -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "Varnostna kopija (replika) podatka vrat" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "Onemogoči glavni strežnik" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Uporabi TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "Strežnika ni priporočljivo uporabljati za povezave LDAPS. Povezava bo spodletela." -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "Strežnik LDAP ne upošteva velikosti črk (Windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Onemogoči določanje veljavnosti potrdila SSL." -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "Dejanje ni priporočeno; uporabljeno naj bo le za preizkušanje delovanja." - -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "Predpomni podatke TTL" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "v sekundah. Sprememba izprazni predpomnilnik." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "Nastavitve mape" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "Polje za uporabnikovo prikazano ime" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "Osnovno uporabniško drevo" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "Eno osnovno uporabniško ime DN na vrstico" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "Uporabi atribute iskanja" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "Izbirno; en atribut na vrstico" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "Polje za prikazano ime skupine" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "Osnovno drevo skupine" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "Eno osnovno ime skupine DN na vrstico" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "Atributi iskanja skupine" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "Povezava član-skupina" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "Posebni atributi" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "Polje količinske omejitve" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "Privzeta količinska omejitev" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "v bajtih" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "Polje elektronske pošte" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "Pravila poimenovanja uporabniške osebne mape" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "Pustite prazno za uporabniško ime (privzeto), sicer navedite atribut LDAP/AD." -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "Interno uporabniško ime" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -362,15 +349,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "Atribut Interno uporabniško ime" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "Prezri zaznavo UUID" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -381,15 +368,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "Atribut UUID" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "Preslikava uporabniško ime - LDAP-uporabnik" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -403,18 +390,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "Izbriši preslikavo Uporabniškega imena in LDAP-uporabnika" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "Izbriši preslikavo Skupine in LDAP-skupine" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "Preizkusne nastavitve" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Pomoč" diff --git a/l10n/sq/core.po b/l10n/sq/core.po index 0c6e10ceee2..178c2c97e10 100644 --- a/l10n/sq/core.po +++ b/l10n/sq/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -143,55 +143,55 @@ msgstr "Dhjetor" msgid "Settings" msgstr "Parametra" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "sekonda më parë" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "sot" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "dje" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "muajin e shkuar" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "muaj më parë" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "vitin e shkuar" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "vite më parë" @@ -199,23 +199,19 @@ msgstr "vite më parë" msgid "Choose" msgstr "Zgjidh" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Anulo" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "Veprim i gabuar gjatë ngarkimit të modelit të zgjedhësit të skedarëve" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Po" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Jo" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Në rregull" @@ -622,14 +618,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "mbrapa" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "para" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/sq/files.po b/l10n/sq/files.po index 11d4fda7b97..ace7c037e64 100644 --- a/l10n/sq/files.po +++ b/l10n/sq/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -94,12 +94,12 @@ msgstr "Nuk ka hapësirë memorizimi e mjaftueshme" msgid "Upload cancelled." msgstr "Ngarkimi u anulua." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Ngarkimi i skedarit është në vazhdim. Nqse ndërroni faqen tani ngarkimi do të anulohet." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "URL-i nuk mund të jetë bosh." @@ -107,8 +107,8 @@ msgstr "URL-i nuk mund të jetë bosh." 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Veprim i gabuar" @@ -184,35 +184,41 @@ msgstr "Hapësira juaj e memorizimit është plot, nuk mund të ngarkoni apo sin msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "Hapësira juaj e memorizimit është gati plot ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Shkarkimi juaj po përgatitet. Mund të duhet pak kohë nqse skedarët janë të mëdhenj." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Emri i dosjes është i pavlefshëm. Përdorimi i \"Shared\" është i rezervuar nga Owncloud-i." -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Emri" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Dimensioni" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Modifikuar" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/sq/files_sharing.po b/l10n/sq/files_sharing.po index 64007bf9f08..4e5d0ed5b8d 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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 7fa5b3bf04e..e5602b240e1 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "nuk u vendos dot" - #: json.php:28 msgid "Application is not enabled" msgstr "Programi nuk është i aktivizuar." diff --git a/l10n/sq/settings.po b/l10n/sq/settings.po index 3b0ed93302f..22bfb9d5de0 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "" @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/sq/user_ldap.po b/l10n/sq/user_ldap.po index 67a99bb61b2..f8f129da269 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Ndihmë" diff --git a/l10n/sr/core.po b/l10n/sr/core.po index 8072e39202b..66d80402804 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -141,59 +141,59 @@ msgstr "Децембар" msgid "Settings" msgstr "Поставке" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "пре неколико секунди" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "данас" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "јуче" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "прошлог месеца" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "месеци раније" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "прошле године" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "година раније" @@ -201,23 +201,19 @@ msgstr "година раније" msgid "Choose" msgstr "Одабери" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Откажи" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Да" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Не" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "У реду" @@ -624,14 +620,6 @@ msgid "" "href=\"%s\">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." diff --git a/l10n/sr/files.po b/l10n/sr/files.po index 53d08ff07cb..55f54da7a6f 100644 --- a/l10n/sr/files.po +++ b/l10n/sr/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -94,12 +94,12 @@ msgstr "Нема довољно простора" msgid "Upload cancelled." msgstr "Отпремање је прекинуто." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Отпремање датотеке је у току. Ако сада напустите страницу, прекинућете отпремање." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "Адреса не може бити празна." @@ -107,8 +107,8 @@ msgstr "Адреса не може бити празна." 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Грешка" @@ -185,36 +185,42 @@ msgstr "Ваше складиште је пуно. Датотеке више н msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "Ваше складиште је скоро па пуно ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Припремам преузимање. Ово може да потраје ако су датотеке велике." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Неисправно име фасцикле. Фасцикла „Shared“ је резервисана за ownCloud." -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Име" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Величина" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Измењено" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/sr/files_sharing.po b/l10n/sr/files_sharing.po index 5fe336ebf12..0b670840b60 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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 28031d756c0..0ae0fe074fc 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "није одређено" - #: json.php:28 msgid "Application is not enabled" msgstr "Апликација није омогућена" diff --git a/l10n/sr/settings.po b/l10n/sr/settings.po index d0ab5f6c783..952338863bd 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:10+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" @@ -120,7 +120,11 @@ msgstr "Грешка при ажурирању апликације" msgid "Updated" msgstr "Ажурирано" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Чување у току..." @@ -165,7 +169,7 @@ msgstr "Грешка при прављењу корисника" msgid "A valid password must be provided" msgstr "Морате унети исправну лозинку" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "__language_name__" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Изврши један задатак са сваком учитаном страницом" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Дељење" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Омогући API Share" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Дозвољава апликацијама да користе API Share" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Дозволи везе" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "Дозволи корисницима да деле ставке с другима путем веза" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Дозволи поновно дељење" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "Дозволи корисницима да поновно деле ставке с другима" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Дозволи корисницима да деле са било ким" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "Дозволи корисницима да деле само са корисницима у њиховим групама" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "Безбедност" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "Наметни HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Бележење" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Ниво бележења" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Више" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Мање" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Верзија" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "Шифровање" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Корисничко име" diff --git a/l10n/sr/user_ldap.po b/l10n/sr/user_ldap.po index c3dad89049f..a563a3a7ca5 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "Филтер за пријаву корисника" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Одређује филтер за примењивање при покушају пријаве. %%uid замењује корисничко име." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "користите чувар места %%uid, нпр. „uid=%%uid\"" - -#: 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 "без икаквог чувара места, нпр. „objectClass=person“." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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 "без икаквог чувара места, нпр. „objectClass=posixGroup“." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Порт" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Користи TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "LDAP сервер осетљив на велика и мала слова (Windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Искључите потврду SSL сертификата." -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "Не препоручује се; користите само за тестирање." - -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "у секундама. Промена испражњава кеш меморију." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "Име приказа корисника" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "Основно стабло корисника" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "Име приказа групе" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "Основна стабло група" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "Придруживање чланова у групу" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "у бајтовима" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Помоћ" diff --git a/l10n/sr@latin/core.po b/l10n/sr@latin/core.po index 507913d3bfb..8a0873def51 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -141,59 +141,59 @@ msgstr "Decembar" msgid "Settings" msgstr "Podešavanja" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "" @@ -201,23 +201,19 @@ msgstr "" msgid "Choose" msgstr "" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Otkaži" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "" @@ -624,14 +620,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "prethodno" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "sledeće" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/sr@latin/files.po b/l10n/sr@latin/files.po index 50e770f67b7..a24a15a621e 100644 --- a/l10n/sr@latin/files.po +++ b/l10n/sr@latin/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -94,12 +94,12 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "" @@ -107,8 +107,8 @@ msgstr "" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "" @@ -185,36 +185,42 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Ime" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Veličina" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Zadnja izmena" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/sr@latin/files_sharing.po b/l10n/sr@latin/files_sharing.po index 0b6b7c80421..370cbd5e775 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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 fd83ff452b3..561b4de4318 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/sr@latin/settings.po b/l10n/sr@latin/settings.po index 95200220f7d..4253999069f 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-08-04 01:55-0400\n" -"PO-Revision-Date: 2013-08-04 05:01+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "" @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/sr@latin/user_ldap.po b/l10n/sr@latin/user_ldap.po index cab46e6a8dd..883e7aae577 100644 --- a/l10n/sr@latin/user_ldap.po +++ b/l10n/sr@latin/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-08-04 01:55-0400\n" -"PO-Revision-Date: 2013-08-04 05:02+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Pomoć" diff --git a/l10n/sv/core.po b/l10n/sv/core.po index 36486c22d65..84c312d3d20 100644 --- a/l10n/sv/core.po +++ b/l10n/sv/core.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -145,55 +145,55 @@ msgstr "December" msgid "Settings" msgstr "Inställningar" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "sekunder sedan" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n minut sedan" +msgstr[1] "%n minuter sedan" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n timme sedan" +msgstr[1] "%n timmar sedan" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "i dag" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "i går" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n dag sedan" +msgstr[1] "%n dagar sedan" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "förra månaden" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n månad sedan" +msgstr[1] "%n månader sedan" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "månader sedan" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "förra året" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "år sedan" @@ -201,23 +201,19 @@ msgstr "år sedan" msgid "Choose" msgstr "Välj" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Avbryt" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "Fel vid inläsning av filväljarens mall" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Ja" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Nej" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Ok" @@ -384,7 +380,7 @@ msgstr "Uppdateringen lyckades. Du omdirigeras nu till OwnCloud." #: lostpassword/controller.php:61 #, php-format msgid "%s password reset" -msgstr "" +msgstr "%s återställ lösenord" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" @@ -585,7 +581,7 @@ msgstr "Logga ut" #: templates/layout.user.php:100 msgid "More apps" -msgstr "" +msgstr "Fler appar" #: templates/login.php:9 msgid "Automatic logon rejected!" @@ -624,14 +620,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "Hej där,

    ville bara informera dig om att %s delade »%s« med dig.
    Titta på den!

    Hörs!" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "föregående" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "nästa" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/sv/files.po b/l10n/sv/files.po index 9702b4ee112..4536bbd77eb 100644 --- a/l10n/sv/files.po +++ b/l10n/sv/files.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -98,12 +98,12 @@ msgstr "Inte tillräckligt med utrymme tillgängligt" msgid "Upload cancelled." msgstr "Uppladdning avbruten." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Filuppladdning pågår. Lämnar du sidan så avbryts uppladdningen." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "URL kan inte vara tom." @@ -111,8 +111,8 @@ msgstr "URL kan inte vara tom." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Ogiltigt mappnamn. Användning av 'Shared' är reserverad av 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Fel" @@ -159,8 +159,8 @@ msgstr "ångra" #: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Laddar upp %n fil" +msgstr[1] "Laddar upp %n filer" #: js/filelist.js:518 msgid "files uploading" @@ -188,39 +188,45 @@ msgstr "Ditt lagringsutrymme är fullt, filer kan inte längre uppdateras eller msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "Ditt lagringsutrymme är nästan fullt ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Din nedladdning förbereds. Det kan ta tid om det är stora filer." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Ogiltigt mappnamn. Användande av 'Shared' är reserverat av ownCloud" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Namn" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Storlek" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Ändrad" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n mapp" +msgstr[1] "%n mappar" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n fil" +msgstr[1] "%n filer" #: lib/app.php:73 #, php-format diff --git a/l10n/sv/files_sharing.po b/l10n/sv/files_sharing.po index 95e8da89b11..05283db1ee5 100644 --- a/l10n/sv/files_sharing.po +++ b/l10n/sv/files_sharing.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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+0000\n" "Last-Translator: Magnus Höglund \n" "Language-Team: Swedish (http://www.transifex.com/projects/p/owncloud/language/sv/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/sv/files_trashbin.po b/l10n/sv/files_trashbin.po index ac516cb4cb4..eafab03a7d9 100644 --- a/l10n/sv/files_trashbin.po +++ b/l10n/sv/files_trashbin.po @@ -3,14 +3,15 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# medialabs, 2013 # Magnus Höglund , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-18 08:40+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" @@ -55,14 +56,14 @@ msgstr "Raderad" #: js/trash.js:191 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n mapp" +msgstr[1] "%n mappar" #: js/trash.js:197 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n fil" +msgstr[1] "%n filer" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/sv/lib.po b/l10n/sv/lib.po index 1f5f24739bf..ac5e105a4e4 100644 --- a/l10n/sv/lib.po +++ b/l10n/sv/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -75,10 +75,6 @@ msgid "" "administrator." msgstr "Ladda ner filerna i mindre bitar, separat eller fråga din administratör." -#: helper.php:235 -msgid "couldn't be determined" -msgstr "kunde inte bestämmas" - #: json.php:28 msgid "Application is not enabled" msgstr "Applikationen är inte aktiverad" @@ -210,14 +206,14 @@ msgstr "sekunder sedan" #: template/functions.php:81 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n minut sedan" +msgstr[1] "%n minuter sedan" #: template/functions.php:82 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n timme sedan" +msgstr[1] "%n timmar sedan" #: template/functions.php:83 msgid "today" @@ -230,8 +226,8 @@ msgstr "i går" #: template/functions.php:85 msgid "%n day go" msgid_plural "%n days ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n dag sedan" +msgstr[1] "%n dagar sedan" #: template/functions.php:86 msgid "last month" @@ -240,8 +236,8 @@ msgstr "förra månaden" #: template/functions.php:87 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n månad sedan" +msgstr[1] "%n månader sedan" #: template/functions.php:88 msgid "last year" diff --git a/l10n/sv/settings.po b/l10n/sv/settings.po index aa682e15aad..02e7554291e 100644 --- a/l10n/sv/settings.po +++ b/l10n/sv/settings.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: Magnus Höglund \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:10+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" @@ -126,7 +126,11 @@ msgstr "Fel uppstod vid uppdatering av appen" msgid "Updated" msgstr "Uppdaterad" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Sparar..." @@ -171,7 +175,7 @@ msgstr "Fel vid skapande av användare" msgid "A valid password must be provided" msgstr "Ett giltigt lösenord måste anges" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "__language_name__" @@ -242,106 +246,106 @@ msgstr "Servern har ingen fungerande internetanslutning. Detta innebär att en d msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Exekvera en uppgift vid varje sidladdning" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "cron.php är registrerad som en webcron-tjänst för att anropa cron.php varje minut över http." -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "Använd system-tjänsten cron för att anropa cron.php varje minut." -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Dela" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Aktivera delat API" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Tillåt applikationer att använda delat API" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Tillåt länkar" -#: templates/admin.php:143 +#: templates/admin.php:135 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:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "Tillåt offentlig uppladdning" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "Tillåt användare att aktivera\nTillåt användare att göra det möjligt för andra att ladda upp till sina offentligt delade mappar" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Tillåt vidaredelning" -#: templates/admin.php:161 +#: templates/admin.php:153 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:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Tillåt delning med alla" -#: templates/admin.php:171 +#: templates/admin.php:163 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:178 +#: templates/admin.php:170 msgid "Security" msgstr "Säkerhet" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "Kräv HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "Tvingar klienterna att ansluta till %s via en krypterad anslutning." -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "Anslut till din %s via HTTPS för att aktivera/deaktivera SSL" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Logg" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Nivå på loggning" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Mer" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Mindre" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Version" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 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/personal.php:117 +msgid "Encryption" +msgstr "Kryptering" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Inloggningsnamn" diff --git a/l10n/sv/user_ldap.po b/l10n/sv/user_ldap.po index 44eefd82f21..f29bad549d3 100644 --- a/l10n/sv/user_ldap.po +++ b/l10n/sv/user_ldap.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" -"Last-Translator: Magnus Höglund \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -157,198 +157,185 @@ msgstr "Filter logga in användare" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Definierar filter att tillämpa vid inloggningsförsök. %% uid ersätter användarnamn i loginåtgärden." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "använd platshållare %%uid, t ex \"uid=%%uid\"" - -#: templates/settings.php:56 msgid "User List Filter" msgstr "Filter lista användare" -#: templates/settings.php:59 -msgid "Defines the filter to apply, when retrieving users." -msgstr "Definierar filter att tillämpa vid listning av användare." - -#: templates/settings.php:60 -msgid "without any placeholder, e.g. \"objectClass=person\"." -msgstr "utan platshållare, t.ex. \"objectClass=person\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "Gruppfilter" -#: templates/settings.php:64 -msgid "Defines the filter to apply, when retrieving groups." -msgstr "Definierar filter att tillämpa vid listning av grupper." - -#: templates/settings.php:65 -msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "utan platshållare, t.ex. \"objectClass=posixGroup\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "Uppkopplingsinställningar" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "Konfiguration aktiv" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "Ifall denna är avbockad så kommer konfigurationen att skippas." -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Port" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "Säkerhetskopierings-värd (Replika)" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "Ange en valfri värd för säkerhetskopiering. Den måste vara en replika av den huvudsakliga LDAP/AD-servern" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "Säkerhetskopierins-port (Replika)" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "Inaktivera huvudserver" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "Anslut endast till replikaservern." -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Använd TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "Använd inte för LDAPS-anslutningar, det kommer inte att fungera." -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "LDAP-servern är okänslig för gemener och versaler (Windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Stäng av verifiering av SSL-certifikat." -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "Om anslutningen bara fungerar med detta alternativ, importera LDAP-serverns SSL-certifikat i din% s server." - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "Rekommenderas inte, använd bara för test. " +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." +msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "Cache Time-To-Live" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "i sekunder. En förändring tömmer cache." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "Mappinställningar" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "Attribut för användarnamn" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "LDAP-attributet som ska användas för att generera användarens visningsnamn." -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "Bas för användare i katalogtjänst" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "En Användare start DN per rad" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "Användarsökningsattribut" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "Valfritt; ett attribut per rad" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "Attribut för gruppnamn" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "LDAP-attributet som ska användas för att generera gruppens visningsnamn." -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "Bas för grupper i katalogtjänst" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "En Grupp start DN per rad" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "Gruppsökningsattribut" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "Attribut för gruppmedlemmar" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "Specialattribut" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "Kvotfält" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "Datakvot standard" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "i bytes" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "E-postfält" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "Namnregel för hemkatalog" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "Lämnas tomt för användarnamn (standard). Ange annars ett LDAP/AD-attribut." -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "Internt Användarnamn" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -364,15 +351,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "Som standard skapas det interna användarnamnet från UUID-attributet. Det säkerställer att användarnamnet är unikt och tecken inte behöver konverteras. Det interna användarnamnet har restriktionerna att endast följande tecken är tillåtna: [ a-zA-Z0-9_.@- ]. Andra tecken blir ersatta av deras motsvarighet i ASCII eller utelämnas helt. En siffra kommer att läggas till eller ökas på vid en kollision. Det interna användarnamnet används för att identifiera användaren internt. Det är även förvalt som användarens användarnamn i ownCloud. Det är även en port för fjärråtkomst, t.ex. för alla *DAV-tjänster. Med denna inställning kan det förvalda beteendet åsidosättas. För att uppnå ett liknande beteende som innan ownCloud 5, ange attributet för användarens visningsnamn i detta fält. Lämna det tomt för förvalt beteende. Ändringarna kommer endast att påverka nyligen mappade (tillagda) LDAP-användare" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "Internt Användarnamn Attribut:" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "Åsidosätt UUID detektion" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -383,15 +370,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "Som standard upptäcker ownCloud automatiskt UUID-attributet. Det UUID-attributet används för att utan tvivel identifiera LDAP-användare och grupper. Dessutom kommer interna användarnamn skapas baserat på detta UUID, om inte annat anges ovan. Du kan åsidosätta inställningen och passera ett attribut som du själv väljer. Du måste se till att attributet som du väljer kan hämtas för både användare och grupper och att det är unikt. Lämna det tomt för standard beteende. Förändringar kommer endast att påverka nyligen mappade (tillagda) LDAP-användare och grupper." -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "UUID Attribut:" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "Användarnamn-LDAP User Mapping" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -405,18 +392,18 @@ msgid "" "experimental stage." msgstr "ownCloud använder sig av användarnamn för att lagra och tilldela (meta) data. För att exakt kunna identifiera och känna igen användare, kommer varje LDAP-användare ha ett internt användarnamn. Detta kräver en mappning från ownCloud-användarnamn till LDAP-användare. Det skapade användarnamnet mappas till UUID för LDAP-användaren. Dessutom cachas DN samt minska LDAP-interaktionen, men den används inte för identifiering. Om DN förändras, kommer förändringarna hittas av ownCloud. Det interna ownCloud-namnet används överallt i ownCloud. Om du rensar/raderar mappningarna kommer att lämna referenser överallt i systemet. Men den är inte konfigurationskänslig, den påverkar alla LDAP-konfigurationer! Rensa/radera aldrig mappningarna i en produktionsmiljö. Utan gör detta endast på i testmiljö!" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "Rensa Användarnamn-LDAP User Mapping" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "Rensa Gruppnamn-LDAP Group Mapping" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "Testa konfigurationen" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Hjälp" diff --git a/l10n/sw_KE/core.po b/l10n/sw_KE/core.po index 19567db98dd..e974dc0ec23 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -141,55 +141,55 @@ msgstr "" msgid "Settings" msgstr "" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "" @@ -197,23 +197,19 @@ msgstr "" msgid "Choose" msgstr "" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "" @@ -620,14 +616,6 @@ msgid "" "href=\"%s\">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." diff --git a/l10n/sw_KE/files.po b/l10n/sw_KE/files.po index 80c9d290d84..66f0fff9e78 100644 --- a/l10n/sw_KE/files.po +++ b/l10n/sw_KE/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -94,12 +94,12 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "" @@ -107,8 +107,8 @@ msgstr "" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "" @@ -184,35 +184,41 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/sw_KE/lib.po b/l10n/sw_KE/lib.po index ed7bf38925e..4071236d9c2 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/sw_KE/settings.po b/l10n/sw_KE/settings.po index 262dc578d1b..ebd60e3215e 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-07-27 01:56-0400\n" -"PO-Revision-Date: 2013-07-25 05:57+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "" @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/sw_KE/user_ldap.po b/l10n/sw_KE/user_ldap.po index b340fa14d80..e51b2fcb6f1 100644 --- a/l10n/sw_KE/user_ldap.po +++ b/l10n/sw_KE/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-27 01:56-0400\n" -"PO-Revision-Date: 2013-07-27 05:56+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "" diff --git a/l10n/ta_LK/core.po b/l10n/ta_LK/core.po index b39ec3ce71b..2ef228556c5 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -141,55 +141,55 @@ msgstr "மார்கழி" msgid "Settings" msgstr "அமைப்புகள்" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "செக்கன்களுக்கு முன்" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "இன்று" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "நேற்று" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "கடந்த மாதம்" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "மாதங்களுக்கு முன்" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "கடந்த வருடம்" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "வருடங்களுக்கு முன்" @@ -197,23 +197,19 @@ msgstr "வருடங்களுக்கு முன்" msgid "Choose" msgstr "தெரிவுசெய்க " -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "இரத்து செய்க" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "ஆம்" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "இல்லை" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "சரி" @@ -620,14 +616,6 @@ msgid "" "href=\"%s\">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." diff --git a/l10n/ta_LK/files.po b/l10n/ta_LK/files.po index ef480f6d5f4..c724be39755 100644 --- a/l10n/ta_LK/files.po +++ b/l10n/ta_LK/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -94,12 +94,12 @@ msgstr "" msgid "Upload cancelled." msgstr "பதிவேற்றல் இரத்து செய்யப்பட்டுள்ளது" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "கோப்பு பதிவேற்றம் செயல்பாட்டில் உள்ளது. இந்தப் பக்கத்திலிருந்து வெறியேறுவதானது பதிவேற்றலை இரத்து செய்யும்." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "URL வெறுமையாக இருக்கமுடியாது." @@ -107,8 +107,8 @@ msgstr "URL வெறுமையாக இருக்கமுடியாத 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "வழு" @@ -184,35 +184,41 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "பெயர்" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "அளவு" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "மாற்றப்பட்டது" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/ta_LK/files_sharing.po b/l10n/ta_LK/files_sharing.po index f5ecc9d83d9..6f439f6a08f 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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 7b29aad397e..f8f3518b983 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "செயலி இயலுமைப்படுத்தப்படவில்லை" diff --git a/l10n/ta_LK/settings.po b/l10n/ta_LK/settings.po index a70525ca6c9..b0e1e81bc0d 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "சேமிக்கப்படுகிறது..." @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "_மொழி_பெயர்_" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "மேலதிக" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "குறைவான" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "மறைக்குறியீடு" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/ta_LK/user_ldap.po b/l10n/ta_LK/user_ldap.po index 12e9c3a0b1b..971037c4056 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "" -#: templates/settings.php:64 -msgid "Defines the filter to apply, when retrieving groups." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:65 -msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "எந்த ஒதுக்கீடும் இல்லாமல், உதாரணம். \"objectClass=posixGroup\"." - -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "துறை " -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "TLS ஐ பயன்படுத்தவும்" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "உணர்ச்சியான LDAP சேவையகம் (சாளரங்கள்)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "SSL சான்றிதழின் செல்லுபடியை நிறுத்திவிடவும்" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "பரிந்துரைக்கப்படவில்லை, சோதனைக்காக மட்டும் பயன்படுத்தவும்." - -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "செக்கன்களில். ஒரு மாற்றம் இடைமாற்றுநினைவகத்தை வெற்றிடமாக்கும்." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "பயனாளர் காட்சிப்பெயர் புலம்" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "தள பயனாளர் மரம்" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "குழுவின் காட்சி பெயர் புலம் " -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "தள குழு மரம்" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "குழு உறுப்பினர் சங்கம்" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "bytes களில் " -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "பயனாளர் பெயரிற்கு வெற்றிடமாக விடவும் (பொது இருப்பு). இல்லாவிடின் LDAP/AD பண்புக்கூறை குறிப்பிடவும்." -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "உதவி" diff --git a/l10n/te/core.po b/l10n/te/core.po index 7cd1f3cd42e..97198eda635 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -141,55 +141,55 @@ msgstr "డిసెంబర్" msgid "Settings" msgstr "అమరికలు" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "క్షణాల క్రితం" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "ఈరోజు" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "నిన్న" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "పోయిన నెల" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "నెలల క్రితం" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "పోయిన సంవత్సరం" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "సంవత్సరాల క్రితం" @@ -197,23 +197,19 @@ msgstr "సంవత్సరాల క్రితం" msgid "Choose" msgstr "" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "రద్దుచేయి" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "అవును" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "కాదు" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "సరే" @@ -620,14 +616,6 @@ msgid "" "href=\"%s\">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." diff --git a/l10n/te/files.po b/l10n/te/files.po index 8f42d68cd80..b9310e4f508 100644 --- a/l10n/te/files.po +++ b/l10n/te/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -94,12 +94,12 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "" @@ -107,8 +107,8 @@ msgstr "" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "పొరపాటు" @@ -184,35 +184,41 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "పేరు" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "పరిమాణం" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/te/lib.po b/l10n/te/lib.po index ed3dcbca484..5094e97ebb3 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/te/settings.po b/l10n/te/settings.po index 5a519c6cefb..ae043e953e5 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "" @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "మరిన్ని" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/te/user_ldap.po b/l10n/te/user_ldap.po index bd0c8f48a74..ae1d36e9c59 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "సహాయం" diff --git a/l10n/templates/core.pot b/l10n/templates/core.pot index 4ad9a4187e0..4400ea2aa0f 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-08-16 01:29-0400\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -198,23 +198,19 @@ msgstr "" msgid "Choose" msgstr "" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "" @@ -621,14 +617,6 @@ msgid "" "href=\"%s\">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." diff --git a/l10n/templates/files.pot b/l10n/templates/files.pot index cf40a67202c..7b6e8fb45bb 100644 --- a/l10n/templates/files.pot +++ b/l10n/templates/files.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-08-16 01:29-0400\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -95,12 +95,12 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "" @@ -108,8 +108,8 @@ msgstr "" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "" @@ -185,35 +185,41 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/templates/files_encryption.pot b/l10n/templates/files_encryption.pot index ef73dc79613..11db26b6ce7 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-08-16 01:29-0400\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -60,18 +60,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now, " "the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/templates/files_external.pot b/l10n/templates/files_external.pot index 6fa16222813..fdf6f45f71d 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-08-16 01:29-0400\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -37,20 +37,20 @@ msgstr "" msgid "Error configuring Google Drive storage" msgstr "" -#: lib/config.php:448 +#: lib/config.php:453 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:451 +#: lib/config.php:457 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:454 +#: lib/config.php:460 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 2e1bbd584b0..276ca9b375f 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-08-16 01:29-0400\n" +"POT-Creation-Date: 2013-08-19 15:06-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_trashbin.pot b/l10n/templates/files_trashbin.pot index 2836a306cde..c7ddd8db2e3 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-08-16 01:29-0400\n" +"POT-Creation-Date: 2013-08-19 15:06-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 eb2c4eba9ce..e0045fe2000 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-08-16 01:29-0400\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -38,6 +38,6 @@ msgstr "" msgid "No other versions available" msgstr "" -#: js/versions.js:149 +#: js/versions.js:145 msgid "Restore" msgstr "" diff --git a/l10n/templates/lib.pot b/l10n/templates/lib.pot index befa7cfebaf..feac1345df6 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-08-16 01:29-0400\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -74,10 +74,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/templates/settings.pot b/l10n/templates/settings.pot index 80d557594ec..43f4957beb8 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-08-16 01:29-0400\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "" @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "" @@ -236,105 +240,105 @@ msgstr "" msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/templates/user_ldap.pot b/l10n/templates/user_ldap.pot index e4a2c71a93a..d018b9ae41a 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-08-16 01:29-0400\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -153,197 +153,184 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this " +"option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -359,15 +346,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute " "is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -378,15 +365,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -400,18 +387,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "" diff --git a/l10n/templates/user_webdavauth.pot b/l10n/templates/user_webdavauth.pot index 0c13a6a320b..c01c52791db 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-08-16 01:29-0400\n" +"POT-Creation-Date: 2013-08-19 15:06-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 b3859255177..61826ac4db1 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -141,51 +141,51 @@ msgstr "ธันวาคม" msgid "Settings" msgstr "ตั้งค่า" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "วินาที ก่อนหน้านี้" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "วันนี้" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "เมื่อวานนี้" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "เดือนที่แล้ว" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "เดือน ที่ผ่านมา" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "ปีที่แล้ว" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "ปี ที่ผ่านมา" @@ -193,23 +193,19 @@ msgstr "ปี ที่ผ่านมา" msgid "Choose" msgstr "เลือก" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "ยกเลิก" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "ตกลง" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "ไม่ตกลง" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "ตกลง" @@ -616,14 +612,6 @@ msgid "" "href=\"%s\">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." diff --git a/l10n/th_TH/files.po b/l10n/th_TH/files.po index 23054636f7a..00ad518a13b 100644 --- a/l10n/th_TH/files.po +++ b/l10n/th_TH/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -94,12 +94,12 @@ msgstr "มีพื้นที่เหลือไม่เพียงพอ msgid "Upload cancelled." msgstr "การอัพโหลดถูกยกเลิก" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "การอัพโหลดไฟล์กำลังอยู่ในระหว่างดำเนินการ การออกจากหน้าเว็บนี้จะทำให้การอัพโหลดถูกยกเลิก" -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "URL ไม่สามารถเว้นว่างได้" @@ -107,8 +107,8 @@ msgstr "URL ไม่สามารถเว้นว่างได้" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "ข้อผิดพลาด" @@ -183,34 +183,40 @@ msgstr "พื้นที่จัดเก็บข้อมูลของค msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "พื้นที่จัดเก็บข้อมูลของคุณใกล้เต็มแล้ว ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "กำลังเตรียมดาวน์โหลดข้อมูล หากไฟล์มีขนาดใหญ่ อาจใช้เวลาสักครู่" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "ชื่อโฟลเดอร์ไม่ถูกต้อง การใช้งาน 'แชร์' สงวนไว้สำหรับ Owncloud เท่านั้น" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "ชื่อ" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "ขนาด" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "แก้ไขแล้ว" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/th_TH/files_sharing.po b/l10n/th_TH/files_sharing.po index 425f2d18d5c..ba9c49aba20 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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 afaf5b524b6..c1f5a0bd746 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "ไม่สามารถกำหนดได้" - #: json.php:28 msgid "Application is not enabled" msgstr "แอพพลิเคชั่นดังกล่าวยังไม่ได้เปิดใช้งาน" diff --git a/l10n/th_TH/settings.po b/l10n/th_TH/settings.po index f5076396447..88fecedbf1f 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -120,7 +120,11 @@ msgstr "เกิดข้อผิดพลาดในระหว่างก msgid "Updated" msgstr "อัพเดทแล้ว" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "กำลังบันทึกข้อมูล..." @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "ภาษาไทย" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "ประมวลคำสั่งหนึ่งงานในแต่ละครั้งที่มีการโหลดหน้าเว็บ" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "การแชร์ข้อมูล" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "เปิดใช้งาน API สำหรับคุณสมบัติแชร์ข้อมูล" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "อนุญาตให้แอปฯสามารถใช้ API สำหรับแชร์ข้อมูลได้" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "อนุญาตให้ใช้งานลิงก์ได้" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "อนุญาตให้ผู้ใช้งานสามารถแชร์ข้อมูลรายการต่างๆไปให้สาธารณะชนเป็นลิงก์ได้" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "อนุญาตให้แชร์ข้อมูลซ้ำใหม่ได้" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "อนุญาตให้ผู้ใช้งานแชร์ข้อมูลรายการต่างๆที่ถูกแชร์มาให้ตัวผู้ใช้งานได้เท่านั้น" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "อนุญาตให้ผู้ใช้งานแชร์ข้อมูลถึงใครก็ได้" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "อนุญาตให้ผู้ใช้งานแชร์ข้อมูลได้เฉพาะกับผู้ใช้งานที่อยู่ในกลุ่มเดียวกันเท่านั้น" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "บันทึกการเปลี่ยนแปลง" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "ระดับการเก็บบันทึก log" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "มาก" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "น้อย" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "รุ่น" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "ชื่อที่ใช้สำหรับเข้าสู่ระบบ" diff --git a/l10n/th_TH/user_ldap.po b/l10n/th_TH/user_ldap.po index 4046e14dd9c..d1f63c56b87 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "ตัวกรองข้อมูลการเข้าสู่ร #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "กำหนดตัวกรองข้อมูลที่ต้องการนำไปใช้งาน, เมื่อมีความพยายามในการเข้าสู่ระบบ %%uid จะถูกนำไปแทนที่ชื่อผู้ใช้งานในการกระทำของการเข้าสู่ระบบ" +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "ใช้ตัวยึด %%uid, เช่น \"uid=%%uid\"" - -#: 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 "โดยไม่ต้องมีตัวยึดใดๆ, เช่น \"objectClass=person\"," +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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 "โดยไม่ต้องมีตัวยึดใดๆ, เช่น \"objectClass=posixGroup\"," +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "ตั้งค่าการเชื่อมต่อ" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "พอร์ต" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "ปิดใช้งานเซิร์ฟเวอร์หลัก" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "ใช้ TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "เซิร์ฟเวอร์ LDAP ประเภท Case insensitive (วินโดวส์)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "ปิดใช้งานการตรวจสอบความถูกต้องของใบรับรองความปลอดภัย SSL" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "ไม่แนะนำให้ใช้งาน, ใช้สำหรับการทดสอบเท่านั้น" - -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "ในอีกไม่กี่วินาที ระบบจะเปลี่ยนแปลงข้อมูลในแคชให้ว่างเปล่า" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "ตั้งค่าไดเร็กทอรี่" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "ช่องแสดงชื่อผู้ใช้งานที่ต้องการ" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "รายการผู้ใช้งานหลักแบบ Tree" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "หนึ่ง User Base DN ต่อบรรทัด" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "คุณลักษณะการค้นหาชื่อผู้ใช้" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "ตัวเลือกเพิ่มเติม; หนึ่งคุณลักษณะต่อบรรทัด" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "ช่องแสดงชื่อกลุ่มที่ต้องการ" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "รายการกลุ่มหลักแบบ Tree" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "หนึ่ง Group Base DN ต่อบรรทัด" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "คุณลักษณะการค้นหาแบบกลุ่ม" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "ความสัมพันธ์ของสมาชิกในกลุ่ม" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "คุณลักษณะพิเศษ" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "ในหน่วยไบต์" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "เว้นว่างไว้สำหรับ ชื่อผู้ใช้ (ค่าเริ่มต้น) หรือไม่กรุณาระบุคุณลักษณะของ LDAP/AD" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "ช่วยเหลือ" diff --git a/l10n/tr/core.po b/l10n/tr/core.po index 671988fe77e..2605b398b3f 100644 --- a/l10n/tr/core.po +++ b/l10n/tr/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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-15 10:20+0000\n" -"Last-Translator: tridinebandim\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -199,23 +199,19 @@ msgstr "yıl önce" msgid "Choose" msgstr "seç" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "İptal" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "Seçici şablon dosya yüklemesinde hata" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Evet" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Hayır" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Tamam" @@ -622,14 +618,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "Merhaba,

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

    İyi günler!" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "önceki" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "sonraki" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/tr/files.po b/l10n/tr/files.po index 8ef98d31c69..d7be2b4bff6 100644 --- a/l10n/tr/files.po +++ b/l10n/tr/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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -96,12 +96,12 @@ msgstr "Yeterli disk alanı yok" msgid "Upload cancelled." msgstr "Yükleme iptal edildi." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Dosya yükleme işlemi sürüyor. Şimdi sayfadan ayrılırsanız işleminiz iptal olur." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "URL boş olamaz." @@ -109,8 +109,8 @@ msgstr "URL boş olamaz." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Geçersiz dizin adı. 'Shared' dizin ismi kullanımı ownCloud tarafından rezerve edilmiştir." -#: 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Hata" @@ -186,35 +186,41 @@ msgstr "Depolama alanınız dolu, artık dosyalar güncellenmeyecek yada senkron msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "Depolama alanınız neredeyse dolu ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "İndirmeniz hazırlanıyor. Dosya büyük ise biraz zaman alabilir." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Geçersiz dizin adı. Shared isminin kullanımı Owncloud tarafından rezerver edilmiştir." -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "İsim" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Boyut" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Değiştirilme" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n dizin" msgstr[1] "%n dizin" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n dosya" diff --git a/l10n/tr/files_sharing.po b/l10n/tr/files_sharing.po index 494628568cc..a2ea28b6b5e 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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 1146ef5bfd1..bcc4af7bb56 100644 --- a/l10n/tr/lib.po +++ b/l10n/tr/lib.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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-15 10:30+0000\n" -"Last-Translator: tridinebandim\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -75,10 +75,6 @@ msgid "" "administrator." msgstr "Dosyaları ayrı ayrı, küçük parçalar halinde indirin ya da yöneticinizden yardım isteyin. " -#: helper.php:235 -msgid "couldn't be determined" -msgstr "tespit edilemedi" - #: json.php:28 msgid "Application is not enabled" msgstr "Uygulama etkinleştirilmedi" diff --git a/l10n/tr/settings.po b/l10n/tr/settings.po index 7521d03f553..60cc454946e 100644 --- a/l10n/tr/settings.po +++ b/l10n/tr/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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-15 11:00+0000\n" -"Last-Translator: tridinebandim\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -122,7 +122,11 @@ msgstr "Uygulama güncellenirken hata" msgid "Updated" msgstr "Güncellendi" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Kaydediliyor..." @@ -167,7 +171,7 @@ msgstr "Kullanıcı oluşturulurken hata" msgid "A valid password must be provided" msgstr "Geçerli bir parola mutlaka sağlanmalı" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "Türkçe" @@ -238,106 +242,106 @@ msgstr "Bu sunucunun çalışan bir internet bağlantısı yok. Bu, harici depol msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Yüklenen her sayfa ile bir görev çalıştır" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "Http üzerinden dakikada bir çalıştırılmak üzere, cron.php bir webcron hizmetine kaydedildi." -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "cron.php dosyasını dakikada bir çağırmak için sistemin cron hizmetini kullan. " -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Paylaşım" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Paylaşım API'sini etkinleştir." -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Uygulamaların paylaşım API'sini kullanmasına izin ver" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Bağlantıları izin ver." -#: templates/admin.php:143 +#: templates/admin.php:135 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:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "Herkes tarafından yüklemeye izin ver" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Paylaşıma izin ver" -#: templates/admin.php:161 +#: templates/admin.php:153 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:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Kullanıcıların herşeyi paylaşmalarına izin ver" -#: templates/admin.php:171 +#: templates/admin.php:163 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:178 +#: templates/admin.php:170 msgid "Security" msgstr "Güvenlik" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "HTTPS bağlantısına zorla" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "İstemcileri %s a şifreli bir bağlantı ile bağlanmaya zorlar." -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s 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 ,%s a HTTPS ile bağlanın." -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Kayıtlar" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Günlük seviyesi" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Daha fazla" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Az" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Sürüm" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 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/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Giriş Adı" diff --git a/l10n/tr/user_ldap.po b/l10n/tr/user_ldap.po index 71a2cad9ab6..b9254262c51 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -156,198 +156,185 @@ msgstr "Kullanıcı Oturum Filtresi" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Filter uyunlamak icin tayin ediyor, ne zaman girişmek isteminiz. % % uid adi kullanici girismeye karsi koymacak. " +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "%%uid yer tutucusunu kullanın, örneğin \"uid=%%uid\"" - -#: templates/settings.php:56 msgid "User List Filter" msgstr "Kullanıcı Liste Filtresi" -#: templates/settings.php:59 -msgid "Defines the filter to apply, when retrieving users." -msgstr "Filter uyunmak icin tayin ediyor, ne zaman adi kullanici geri aliyor. " - -#: templates/settings.php:60 -msgid "without any placeholder, e.g. \"objectClass=person\"." -msgstr "bir yer tutucusu olmadan, örneğin \"objectClass=person\"" +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "Grup Süzgeci" -#: templates/settings.php:64 -msgid "Defines the filter to apply, when retrieving groups." -msgstr "Filter uyunmak icin tayin ediyor, ne zaman grubalari tekrar aliyor. " - -#: templates/settings.php:65 -msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "siz bir yer tutucu, mes. 'objectClass=posixGroup ('posixGrubu''. " +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "Bağlantı ayarları" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "Ne zaman iptal, bu uynnlama isletici " -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Port" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "Sigorta Kopya Cephe " -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "Bir kopya cevre vermek, kopya sunucu onemli olmali. " -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "Kopya Port " -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "Ana sunucuyu devredışı birak" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "TLS kullan" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "Bu LDAPS baglama icin kullamaminiz, basamacak. " -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "Dusme sunucu LDAP zor degil. (Windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "SSL sertifika doğrulamasını kapat." -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "Önerilmez, sadece test için kullanın." - -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "Cache Time-To-Live " -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "saniye cinsinden. Bir değişiklik önbelleği temizleyecektir." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "Parametrar Listesin Adresinin " -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "Ekran Adi Kullanici, (Alan Adi Kullanici Ekrane)" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "Temel Kullanıcı Ağacı" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "Bir Temel Kullanici DN her dizgi " -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "Kategorii Arama Kullanici " -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "Grub Ekrane Alani Adi" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "Temel Grup Ağacı" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "Bir Grubu Tabani DN her dizgi. " -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "Kategorii Arama Grubu" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "Grup-Üye işbirliği" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "byte cinsinden" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "Kullanıcı adı bölümünü boş bırakın (varsayılan). " -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -363,15 +350,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -382,15 +369,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -404,18 +391,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Yardım" diff --git a/l10n/ug/core.po b/l10n/ug/core.po index 962ef65e3e6..0451be577d5 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+0000\n" "Last-Translator: I Robot \n" "Language-Team: Uighur \n" "MIME-Version: 1.0\n" @@ -141,51 +141,51 @@ msgstr "كۆنەك" msgid "Settings" msgstr "تەڭشەكلەر" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "بۈگۈن" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "تۈنۈگۈن" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "" @@ -193,23 +193,19 @@ msgstr "" msgid "Choose" msgstr "" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "ۋاز كەچ" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "ھەئە" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "ياق" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "جەزملە" @@ -475,7 +471,7 @@ msgstr "" #: templates/edit_categories_dialog.php:4 msgid "Edit categories" -msgstr "" +msgstr "تۈر تەھرىر" #: templates/edit_categories_dialog.php:16 msgid "Add" @@ -616,14 +612,6 @@ msgid "" "href=\"%s\">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." diff --git a/l10n/ug/files.po b/l10n/ug/files.po index 9356e0fa389..10586fef152 100644 --- a/l10n/ug/files.po +++ b/l10n/ug/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+0000\n" "Last-Translator: I Robot \n" "Language-Team: Uighur \n" "MIME-Version: 1.0\n" @@ -94,12 +94,12 @@ msgstr "يېتەرلىك بوشلۇق يوق" msgid "Upload cancelled." msgstr "يۈكلەشتىن ۋاز كەچتى." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "ھۆججەت يۈكلەش مەشغۇلاتى ئېلىپ بېرىلىۋاتىدۇ. Leaving the page now will cancel the upload." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "" @@ -107,8 +107,8 @@ msgstr "" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "خاتالىق" @@ -183,34 +183,40 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "ئاتى" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "چوڭلۇقى" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "ئۆزگەرتكەن" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/ug/files_sharing.po b/l10n/ug/files_sharing.po index 54a98b555d4..cf512bccd19 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+0000\n" "Last-Translator: I Robot \n" "Language-Team: Uighur \n" "MIME-Version: 1.0\n" diff --git a/l10n/ug/lib.po b/l10n/ug/lib.po index 657d41ba627..554072cebd9 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+0000\n" "Last-Translator: I Robot \n" "Language-Team: Uighur \n" "MIME-Version: 1.0\n" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/ug/settings.po b/l10n/ug/settings.po index 30a1f8a9f48..2dc8878719b 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:10+0000\n" "Last-Translator: I Robot \n" "Language-Team: Uighur \n" "MIME-Version: 1.0\n" @@ -120,7 +120,11 @@ msgstr "ئەپنى يېڭىلاۋاتقاندا خاتالىق كۆرۈلدى" msgid "Updated" msgstr "يېڭىلاندى" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "ساقلاۋاتىدۇ…" @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "ھەمبەھىر" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "بىخەتەرلىك" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "خاتىرە" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "خاتىرە دەرىجىسى" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "تېخىمۇ كۆپ" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "ئاز" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "نەشرى" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "شىفىرلاش" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "تىزىمغا كىرىش ئاتى" diff --git a/l10n/ug/user_ldap.po b/l10n/ug/user_ldap.po index ded7b0cd7bf..fa2c51ddd26 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+0000\n" "Last-Translator: I Robot \n" "Language-Team: Uighur \n" "MIME-Version: 1.0\n" @@ -154,198 +154,185 @@ msgstr "ئىشلەتكۈچى تىزىمغا كىرىش سۈزگۈچى" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "باغلىنىش تەڭشىكى" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "سەپلىمە ئاكتىپ" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "ئېغىز" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "TLS ئىشلەت" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "ياردەم" diff --git a/l10n/uk/core.po b/l10n/uk/core.po index e5cc3c9037d..ae0e108f162 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -141,59 +141,59 @@ msgstr "Грудень" msgid "Settings" msgstr "Налаштування" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "секунди тому" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "сьогодні" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "вчора" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "минулого місяця" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "місяці тому" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "минулого року" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "роки тому" @@ -201,23 +201,19 @@ msgstr "роки тому" msgid "Choose" msgstr "Обрати" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Відмінити" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Так" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Ні" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Ok" @@ -624,14 +620,6 @@ msgid "" "href=\"%s\">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." diff --git a/l10n/uk/files.po b/l10n/uk/files.po index 7622ad56c5f..d348a772f94 100644 --- a/l10n/uk/files.po +++ b/l10n/uk/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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -95,12 +95,12 @@ msgstr "Місця більше немає" msgid "Upload cancelled." msgstr "Завантаження перервано." -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Виконується завантаження файлу. Закриття цієї сторінки приведе до відміни завантаження." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "URL не може бути пустим." @@ -108,8 +108,8 @@ msgstr "URL не може бути пустим." 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Помилка" @@ -186,36 +186,42 @@ msgstr "Ваше сховище переповнене, файли більше msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "Ваше сховище майже повне ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Ваше завантаження готується. Це може зайняти деякий час, якщо файли завеликі." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Невірне ім'я теки. Використання \"Shared\" зарезервовано Owncloud" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Ім'я" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Розмір" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Змінено" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/uk/files_sharing.po b/l10n/uk/files_sharing.po index 4c747b05e0f..884b5932450 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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 7c870f656c1..ef7e00a8e4b 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "не може бути визначено" - #: json.php:28 msgid "Application is not enabled" msgstr "Додаток не увімкнений" diff --git a/l10n/uk/settings.po b/l10n/uk/settings.po index 4daa482adfd..6380e01e2d0 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:10+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" @@ -120,7 +120,11 @@ msgstr "Помилка при оновленні програми" msgid "Updated" msgstr "Оновлено" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Зберігаю..." @@ -165,7 +169,7 @@ msgstr "Помилка при створенні користувача" msgid "A valid password must be provided" msgstr "Потрібно задати вірний пароль" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "__language_name__" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Виконати одне завдання для кожної завантаженої сторінки " -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Спільний доступ" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Увімкнути API спільного доступу" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Дозволити програмам використовувати API спільного доступу" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Дозволити посилання" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "Дозволити користувачам відкривати спільний доступ до елементів за допомогою посилань" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Дозволити перевідкривати спільний доступ" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "Дозволити користувачам знову відкривати спільний доступ до елементів, які вже відкриті для доступу" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "Дозволити користувачам відкривати спільний доступ для всіх" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "Дозволити користувачам відкривати спільний доступ лише для користувачів з їхньої групи" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "Безпека" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "Примусове застосування HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Протокол" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "Рівень протоколювання" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "Більше" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "Менше" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Версія" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "Шифрування" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Ім'я Логіну" diff --git a/l10n/uk/user_ldap.po b/l10n/uk/user_ldap.po index 7b824bf2f9d..9f05e0918b7 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "Фільтр Користувачів, що під'єднуються" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Визначає фільтр, який застосовується при спробі входу. %%uid замінює ім'я користувача при вході." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "використовуйте %%uid заповнювач, наприклад: \"uid=%%uid\"" - -#: 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 "без будь-якого заповнювача, наприклад: \"objectClass=person\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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 "без будь-якого заповнювача, наприклад: \"objectClass=posixGroup\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "Налаштування З'єднання" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "Налаштування Активне" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "Якщо \"галочка\" знята, ця конфігурація буде пропущена." -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Порт" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "Сервер для резервних копій" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "Вкажіть додатковий резервний сервер. Він повинен бути копією головного LDAP/AD сервера." -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "Порт сервера для резервних копій" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "Вимкнути Головний Сервер" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Використовуйте TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "Не використовуйте це додатково для під'єднання до LDAP, бо виконано не буде." -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "Нечутливий до регістру LDAP сервер (Windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Вимкнути перевірку SSL сертифіката." -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "Не рекомендується, використовуйте лише для тестів." - -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "Час актуальності Кеша" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "в секундах. Зміна очищує кеш." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "Налаштування Каталога" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "Поле, яке відображає Ім'я Користувача" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "Основне Дерево Користувачів" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "Один Користувач Base DN на одній строчці" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "Пошукові Атрибути Користувача" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "Додатково; один атрибут на строчку" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "Поле, яке відображає Ім'я Групи" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "Основне Дерево Груп" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "Одна Група Base DN на одній строчці" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "Пошукові Атрибути Групи" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "Асоціація Група-Член" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "Спеціальні Атрибути" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "Поле Квоти" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "Квота за замовчанням" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "в байтах" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "Поле Ел. пошти" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "Правило іменування домашньої теки користувача" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "Залиште порожнім для імені користувача (за замовчанням). Інакше, вкажіть атрибут LDAP/AD." -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "Тестове налаштування" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Допомога" diff --git a/l10n/ur_PK/core.po b/l10n/ur_PK/core.po index 4555d21ef8f..54407785c05 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -141,55 +141,55 @@ msgstr "دسمبر" msgid "Settings" msgstr "سیٹینگز" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "" @@ -197,23 +197,19 @@ msgstr "" msgid "Choose" msgstr "منتخب کریں" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "منسوخ کریں" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "ہاں" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "نہیں" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "اوکے" @@ -620,14 +616,6 @@ msgid "" "href=\"%s\">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." diff --git a/l10n/ur_PK/files.po b/l10n/ur_PK/files.po index 1a9ede9acc7..a8832be5ecc 100644 --- a/l10n/ur_PK/files.po +++ b/l10n/ur_PK/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -94,12 +94,12 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "" @@ -107,8 +107,8 @@ msgstr "" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "ایرر" @@ -184,35 +184,41 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/ur_PK/lib.po b/l10n/ur_PK/lib.po index 4c170b1074a..89c294dd06e 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/ur_PK/settings.po b/l10n/ur_PK/settings.po index 921b8e1edf3..d324d54bb06 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "" @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/ur_PK/user_ldap.po b/l10n/ur_PK/user_ldap.po index fdfea6be1d5..085620de421 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "مدد" diff --git a/l10n/vi/core.po b/l10n/vi/core.po index b8bfc91292b..9a6b412143e 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -142,51 +142,51 @@ msgstr "Tháng 12" msgid "Settings" msgstr "Cài đặt" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "vài giây trước" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "hôm nay" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "hôm qua" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "tháng trước" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "tháng trước" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "năm trước" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "năm trước" @@ -194,23 +194,19 @@ msgstr "năm trước" msgid "Choose" msgstr "Chọn" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "Hủy" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Có" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "Không" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "Đồng ý" @@ -617,14 +613,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "" -#: templates/part.pagenavi.php:3 -msgid "prev" -msgstr "Lùi lại" - -#: templates/part.pagenavi.php:20 -msgid "next" -msgstr "Kế tiếp" - #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." diff --git a/l10n/vi/files.po b/l10n/vi/files.po index 819a857ea2e..2d6c28b2d58 100644 --- a/l10n/vi/files.po +++ b/l10n/vi/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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -95,12 +95,12 @@ msgstr "Không đủ chỗ trống cần thiết" msgid "Upload cancelled." msgstr "Hủy tải lên" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Tập tin tải lên đang được xử lý. Nếu bạn rời khỏi trang bây giờ sẽ hủy quá trình này." -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "URL không được để trống." @@ -108,8 +108,8 @@ msgstr "URL không được để trống." 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Lỗi" @@ -184,34 +184,40 @@ msgstr "Your storage is full, files can not be updated or synced anymore!" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "Your storage is almost full ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "Your download is being prepared. This might take some time if the files are big." -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "Tên" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "Kích cỡ" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "Thay đổi" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/vi/files_sharing.po b/l10n/vi/files_sharing.po index 47ce6adaf75..9d990191532 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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 e7c2745b8dd..9d03a4a361d 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "không thể phát hiện được" - #: json.php:28 msgid "Application is not enabled" msgstr "Ứng dụng không được BẬT" diff --git a/l10n/vi/settings.po b/l10n/vi/settings.po index e0da3b18616..e1945681e59 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:10+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" @@ -120,7 +120,11 @@ msgstr "Lỗi khi cập nhật ứng dụng" msgid "Updated" msgstr "Đã cập nhật" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "Đang lưu..." @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "__Ngôn ngữ___" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "Thực thi tác vụ mỗi khi trang được tải" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "Chia sẻ" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "Bật chia sẻ API" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "Cho phép các ứng dụng sử dụng chia sẻ API" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "Cho phép liên kết" -#: templates/admin.php:143 +#: templates/admin.php:135 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:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "Cho phép chia sẻ lại" -#: templates/admin.php:161 +#: templates/admin.php:153 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:168 +#: templates/admin.php:160 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:171 +#: templates/admin.php:163 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:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "Log" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "hơn" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "ít" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "Phiên bản" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "Mã hóa" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "Tên đăng nhập" diff --git a/l10n/vi/user_ldap.po b/l10n/vi/user_ldap.po index abf722d3609..350cf0c3a2d 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "Lọc người dùng đăng nhập" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "Xác định các bộ lọc để áp dụng, khi đăng nhập . uid%% thay thế tên người dùng trong các lần đăng nhập." +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "use %%uid placeholder, e.g. \"uid=%%uid\"" - -#: templates/settings.php:56 msgid "User List Filter" msgstr "Lọc danh sách thành viên" -#: templates/settings.php:59 -msgid "Defines the filter to apply, when retrieving users." -msgstr "Xác định các bộ lọc để áp dụng, khi người dụng sử dụng." - -#: templates/settings.php:60 -msgid "without any placeholder, e.g. \"objectClass=person\"." -msgstr "mà không giữ chỗ nào, ví dụ như \"objectClass = person\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 msgid "Group Filter" msgstr "Bộ lọc nhóm" -#: templates/settings.php:64 -msgid "Defines the filter to apply, when retrieving groups." -msgstr "Xác định các bộ lọc để áp dụng, khi nhóm sử dụng." - -#: templates/settings.php:65 -msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "mà không giữ chỗ nào, ví dụ như \"objectClass = osixGroup\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "Connection Settings" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "Cổng" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "Cổng sao lưu (Replica)" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "Tắt máy chủ chính" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "Sử dụng TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "Do not use it additionally for LDAPS connections, it will fail." -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "Trường hợp insensitve LDAP máy chủ (Windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "Tắt xác thực chứng nhận SSL" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "Không khuyến khích, Chỉ sử dụng để thử nghiệm." - -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "trong vài giây. Một sự thay đổi bộ nhớ cache." -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "Directory Settings" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "Hiển thị tên người sử dụng" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "Cây người dùng cơ bản" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "User Search Attributes" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "Optional; one attribute per line" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "Hiển thị tên nhóm" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "Cây nhóm cơ bản" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "Group Search Attributes" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "Nhóm thành viên Cộng đồng" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "Special Attributes" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "Theo Byte" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "Để trống tên người dùng (mặc định). Nếu không chỉ định thuộc tính LDAP/AD" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "Giúp đỡ" diff --git a/l10n/zh_CN.GB2312/core.po b/l10n/zh_CN.GB2312/core.po index 8e8f62f373d..21e175e4ff6 100644 --- a/l10n/zh_CN.GB2312/core.po +++ b/l10n/zh_CN.GB2312/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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-15 10:20+0000\n" -"Last-Translator: aivier \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -197,23 +197,19 @@ msgstr "年前" msgid "Choose" msgstr "选择" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "取消" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "加载文件选取模板出错" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "是" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "否" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "好的" @@ -620,14 +616,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "你好!

    温馨提示: %s 与您共享了 %s 。

    \n查看: %s

    祝顺利!" -#: 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." diff --git a/l10n/zh_CN.GB2312/files.po b/l10n/zh_CN.GB2312/files.po index 1426e0d68c7..b7c7892b60b 100644 --- a/l10n/zh_CN.GB2312/files.po +++ b/l10n/zh_CN.GB2312/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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -96,12 +96,12 @@ msgstr "容量不足" msgid "Upload cancelled." msgstr "上传取消了" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "文件正在上传。关闭页面会取消上传。" -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "网址不能为空。" @@ -109,8 +109,8 @@ msgstr "网址不能为空。" msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "出错" @@ -185,34 +185,40 @@ msgstr "容量已满,不能再同步/上传文件了!" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "你的空间快用满了 ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "正在下载,可能会花点时间,跟文件大小有关" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "不正确文件夹名。Shared是保留名,不能使用。" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "名称" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "大小" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "修改日期" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n 个文件夹" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n 个文件" diff --git a/l10n/zh_CN.GB2312/files_sharing.po b/l10n/zh_CN.GB2312/files_sharing.po index e8248b6133e..72a289d0209 100644 --- a/l10n/zh_CN.GB2312/files_sharing.po +++ b/l10n/zh_CN.GB2312/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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-15 10:20+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+0000\n" "Last-Translator: aivier \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.GB2312/lib.po b/l10n/zh_CN.GB2312/lib.po index a996e9d467c..d4a3f5836f4 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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-15 10:20+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "应用未启用" diff --git a/l10n/zh_CN.GB2312/settings.po b/l10n/zh_CN.GB2312/settings.po index fe15fef6a99..a69fb19b320 100644 --- a/l10n/zh_CN.GB2312/settings.po +++ b/l10n/zh_CN.GB2312/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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: Martin Liu \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -123,7 +123,11 @@ msgstr "应用升级时出现错误" msgid "Updated" msgstr "已升级" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "保存中..." @@ -168,7 +172,7 @@ msgstr "新增用户时出现错误" msgid "A valid password must be provided" msgstr "请填写有效密码" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "Chinese" @@ -239,106 +243,106 @@ msgstr "服务器没有可用的Internet连接。这意味着像挂载外部储 msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "在每个页面载入时执行一项任务" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "cron.php 已作为 webcron 服务注册。owncloud 将通过 http 协议每分钟调用一次 cron.php。" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "使用系统 cron 服务。通过系统 cronjob 每分钟调用一次 owncloud 文件夹下的 cron.php" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "分享" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "开启分享API" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "允许应用使用分享API" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "允许链接" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "允许用户通过链接共享内容" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "允许公众账户上传" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "允许其它人向用户的公众共享文件夹里上传文件" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "允许转帖" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "允许用户再次共享已共享的内容" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "允许用户向任何人分享" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "只允许用户向所在群组中的其他用户分享" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "安全" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "强制HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "强制客户端通过加密连接与%s连接" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "请通过HTTPS协议连接到 %s,需要启用或者禁止强制SSL的开关。" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "日志" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "日志等级" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "更多" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "更少" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "版本" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "访问WebDAV请点击 此处" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "登录名" diff --git a/l10n/zh_CN.GB2312/user_ldap.po b/l10n/zh_CN.GB2312/user_ldap.po index 004d02f98a0..291f44e4bcd 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "用户登录过滤器" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "定义尝试登录时要应用的过滤器。用 %%uid 替换登录操作中使用的用户名。" +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "使用 %%uid 占位符,例如 \"uid=%%uid\"" - -#: 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 "不能使用占位符,例如 \"objectClass=person\"。" +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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 "不能使用占位符,例如 \"objectClass=posixGroup\"。" +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "端口" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "使用 TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "大小写不敏感的 LDAP 服务器 (Windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "关闭 SSL 证书校验。" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "不推荐,仅供测试" - -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "以秒计。修改会清空缓存。" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "用户显示名称字段" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "基本用户树" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "群组显示名称字段" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "基本群组树" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "群组-成员组合" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "以字节计" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "用户名请留空 (默认)。否则,请指定一个 LDAP/AD 属性。" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "帮助" diff --git a/l10n/zh_CN/core.po b/l10n/zh_CN/core.po index e77bfe2828e..c516d6a84d5 100644 --- a/l10n/zh_CN/core.po +++ b/l10n/zh_CN/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -143,51 +143,51 @@ msgstr "十二月" msgid "Settings" msgstr "设置" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "秒前" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" +msgstr[0] "%n 分钟前" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "今天" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "昨天" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "上月" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "月前" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "去年" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "年前" @@ -195,23 +195,19 @@ msgstr "年前" msgid "Choose" msgstr "选择(&C)..." -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "取消" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "加载文件选择器模板出错" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "是" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "否" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "好" @@ -618,14 +614,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "您好,

    %s 向您分享了 »%s«。
    查看" -#: 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." diff --git a/l10n/zh_CN/files.po b/l10n/zh_CN/files.po index db423a4fe41..f2c016bafb2 100644 --- a/l10n/zh_CN/files.po +++ b/l10n/zh_CN/files.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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -97,12 +97,12 @@ msgstr "没有足够可用空间" msgid "Upload cancelled." msgstr "上传已取消" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "文件正在上传中。现在离开此页会导致上传动作被取消。" -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "URL不能为空" @@ -110,8 +110,8 @@ msgstr "URL不能为空" msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "无效的文件夹名。”Shared“ 是 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "错误" @@ -186,37 +186,43 @@ msgstr "您的存储空间已满,文件将无法更新或同步!" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "您的存储空间即将用完 ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "下载正在准备中。如果文件较大可能会花费一些时间。" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "无效文件夹名。'共享' 是 Owncloud 预留的文件夹名。" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "名称" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "大小" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "修改日期" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" +msgstr[0] "%n 文件夹" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" +msgstr[0] "%n个文件" #: lib/app.php:73 #, php-format diff --git a/l10n/zh_CN/files_sharing.po b/l10n/zh_CN/files_sharing.po index 013eee53c4e..b526299a397 100644 --- a/l10n/zh_CN/files_sharing.po +++ b/l10n/zh_CN/files_sharing.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# waterone , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+0000\n" +"Last-Translator: waterone \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" @@ -19,7 +20,7 @@ msgstr "" #: templates/authenticate.php:4 msgid "The password is wrong. Try again." -msgstr "" +msgstr "用户名或密码错误!请重试" #: templates/authenticate.php:7 msgid "Password" @@ -31,27 +32,27 @@ msgstr "提交" #: templates/part.404.php:3 msgid "Sorry, this link doesn’t seem to work anymore." -msgstr "" +msgstr "抱歉,此链接已失效" #: templates/part.404.php:4 msgid "Reasons might be:" -msgstr "" +msgstr "可能原因是:" #: templates/part.404.php:6 msgid "the item was removed" -msgstr "" +msgstr "此项已移除" #: templates/part.404.php:7 msgid "the link expired" -msgstr "" +msgstr "链接过期" #: templates/part.404.php:8 msgid "sharing is disabled" -msgstr "" +msgstr "共享已禁用" #: templates/part.404.php:10 msgid "For more info, please ask the person who sent this link." -msgstr "" +msgstr "欲知详情,请联系发给你链接的人。" #: templates/public.php:15 #, php-format diff --git a/l10n/zh_CN/files_trashbin.po b/l10n/zh_CN/files_trashbin.po index 9be866b5f3e..3b1a2c82069 100644 --- a/l10n/zh_CN/files_trashbin.po +++ b/l10n/zh_CN/files_trashbin.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# waterone , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-16 16:20+0000\n" +"Last-Translator: waterone \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" @@ -54,16 +55,16 @@ msgstr "已删除" #: js/trash.js:191 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" +msgstr[0] "%n 文件夹" #: js/trash.js:197 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" +msgstr[0] "%n个文件" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" -msgstr "" +msgstr "已恢复" #: templates/index.php:9 msgid "Nothing in here. Your trash bin is empty!" diff --git a/l10n/zh_CN/lib.po b/l10n/zh_CN/lib.po index 79efb5ea2f0..3a6ed61af5f 100644 --- a/l10n/zh_CN/lib.po +++ b/l10n/zh_CN/lib.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Charlie Mak , 2013 # modokwang , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -74,10 +75,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "无法确定" - #: json.php:28 msgid "Application is not enabled" msgstr "应用程序未启用" @@ -209,7 +206,7 @@ msgstr "秒前" #: template/functions.php:81 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" +msgstr[0] "%n 分钟前" #: template/functions.php:82 msgid "%n hour ago" diff --git a/l10n/zh_CN/settings.po b/l10n/zh_CN/settings.po index d196a8a788f..6e9abe68c0e 100644 --- a/l10n/zh_CN/settings.po +++ b/l10n/zh_CN/settings.po @@ -4,14 +4,15 @@ # # Translators: # m13253 , 2013 +# waterone , 2013 # modokwang , 2013 # zhangmin , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -123,7 +124,11 @@ msgstr "更新 app 时出错" msgid "Updated" msgstr "已更新" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "保存中" @@ -168,7 +173,7 @@ msgstr "创建用户出错" msgid "A valid password must be provided" msgstr "必须提供合法的密码" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "简体中文" @@ -183,7 +188,7 @@ msgid "" "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 "" +msgstr "您的数据文件夹和文件可由互联网访问。OwnCloud提供的.htaccess文件未生效。我们强烈建议您配置服务器,以使数据文件夹不可被访问,或者将数据文件夹移到web服务器以外。" #: templates/admin.php:29 msgid "Setup Warning" @@ -198,7 +203,7 @@ msgstr "您的Web服务器尚未正确设置以允许文件同步, 因为WebDAV #: templates/admin.php:33 #, php-format msgid "Please double check the installation guides." -msgstr "" +msgstr "请认真检查安装指南." #: templates/admin.php:44 msgid "Module 'fileinfo' missing" @@ -220,7 +225,7 @@ msgid "" "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." -msgstr "" +msgstr "服务器无法设置系统本地化到%s. 这意味着可能文件名中有一些字符会引起问题. 我们强烈建议在你系统上安装所需的软件包来支持%s" #: templates/admin.php:75 msgid "Internet connection not working" @@ -233,112 +238,112 @@ msgid "" "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." -msgstr "" +msgstr "此服务器上没有可用的因特网连接. 这意味着某些特性将无法工作,例如挂载外部存储器, 提醒更新或安装第三方应用等. 从远程访问文件和发送提醒电子邮件也可能无法工作. 如果你想要ownCloud的所有特性, 我们建议启用此服务器的因特网连接." #: templates/admin.php:92 msgid "Cron" msgstr "计划任务" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "每个页面加载后执行一个任务" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." -msgstr "" +msgstr "cron.php已被注册到网络定时任务服务。通过http每分钟调用owncloud根目录的cron.php网页。" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." -msgstr "" +msgstr "使用系统定时任务服务。每分钟通过系统定时任务调用owncloud文件夹中的cron.php文件" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "共享" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "启用共享API" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "允许应用软件使用共享API" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "允许链接" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "允许用户使用连接公开共享项目" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" -msgstr "" +msgstr "允许公开上传" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" -msgstr "" +msgstr "用户可让其他人上传到他的公开共享文件夹" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "允许再次共享" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "允许用户将共享给他们的项目再次共享" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "允许用户向任何人共享" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "允许用户只向同组用户共享" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "安全" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "强制使用 HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." -msgstr "" +msgstr "强制客户端通过加密连接连接到%s。" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." -msgstr "" +msgstr "请经由HTTPS连接到这个%s 实例来启用或禁用强制SSL." -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "日志" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "日志级别" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "更多" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "更少" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "版本" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "使用该链接 通过WebDAV访问你的文件" + +#: templates/personal.php:117 +msgid "Encryption" +msgstr "加密" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" msgstr "" #: templates/users.php:21 diff --git a/l10n/zh_CN/user_ldap.po b/l10n/zh_CN/user_ldap.po index 97f474b3166..f1052643431 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -155,198 +155,185 @@ msgstr "用户登录过滤" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "定义当尝试登录时的过滤器。 在登录过程中,%%uid将会被用户名替换" +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "使用 %%uid作为占位符,例如“uid=%%uid”" - -#: 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 "没有任何占位符,如 \"objectClass=person\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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 "无需占位符,例如\"objectClass=posixGroup\"" +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "连接设置" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "现行配置" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "当反选后,此配置将被忽略。" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "端口" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "备份 (镜像) 主机" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "给出一个可选的备份主机。它必须为主 LDAP/AD 服务器的一个镜像。" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "备份 (镜像) 端口" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "禁用主服务器" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "使用TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "对于 LDAPS 连接不要额外启用它,连接必然失败。" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "大小写敏感LDAP服务器(Windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "关闭SSL证书验证" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "暂不推荐,仅供测试" - -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "缓存存活时间" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "以秒计。修改将清空缓存。" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "目录设置" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "用户显示名称字段" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "基础用户树" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "每行一个用户基准判别名" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "用户搜索属性" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "可选;每行一个属性" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "组显示名称字段" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "基础组树" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "每行一个群组基准判别名" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "群组搜索属性" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "组成员关联" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "特殊属性" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "配额字段" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "默认配额" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "字节数" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "电邮字段" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "用户主目录命名规则" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "将用户名称留空(默认)。否则指定一个LDAP/AD属性" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "内部用户名" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -362,15 +349,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "内部用户名属性:" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "超越UUID检测" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -381,15 +368,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "UUID属性:" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "用户名-LDAP用户映射" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -403,18 +390,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "清除用户-LDAP用户映射" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "清除组用户-LDAP级映射" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "测试配置" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "帮助" diff --git a/l10n/zh_HK/core.po b/l10n/zh_HK/core.po index 8c3d1f0833b..f91ec7caff1 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -141,51 +141,51 @@ msgstr "十二月" msgid "Settings" msgstr "設定" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "今日" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "昨日" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "前一月" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "個月之前" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "" @@ -193,23 +193,19 @@ msgstr "" msgid "Choose" msgstr "" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "取消" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "Yes" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "No" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "OK" @@ -616,14 +612,6 @@ msgid "" "href=\"%s\">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." diff --git a/l10n/zh_HK/files.po b/l10n/zh_HK/files.po index 5cfc4312593..ad3332276dd 100644 --- a/l10n/zh_HK/files.po +++ b/l10n/zh_HK/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -94,12 +94,12 @@ msgstr "" msgid "Upload cancelled." msgstr "" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "" @@ -107,8 +107,8 @@ msgstr "" 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "錯誤" @@ -183,34 +183,40 @@ msgstr "" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "名稱" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/zh_HK/files_sharing.po b/l10n/zh_HK/files_sharing.po index b0da2eac01a..1ab84440f23 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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 f9da45cb7cf..037fcf13654 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -73,10 +73,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "" - #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/zh_HK/settings.po b/l10n/zh_HK/settings.po index ec3fc03477f..f42914d39a8 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -120,7 +120,11 @@ msgstr "" msgid "Updated" msgstr "" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "" @@ -165,7 +169,7 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "" @@ -236,106 +240,106 @@ msgstr "" msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "" diff --git a/l10n/zh_HK/user_ldap.po b/l10n/zh_HK/user_ldap.po index ab0370f6744..98bb4324137 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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -154,198 +154,185 @@ msgstr "" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." +"username in the login action. Example: \"uid=%%uid\"" 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\"." +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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\"." +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "連接埠" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." -msgstr "" - -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -361,15 +348,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -380,15 +367,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -402,18 +389,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "幫助" diff --git a/l10n/zh_TW/core.po b/l10n/zh_TW/core.po index 2014ec345c8..487c676ed04 100644 --- a/l10n/zh_TW/core.po +++ b/l10n/zh_TW/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:06+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" @@ -143,51 +143,51 @@ msgstr "十二月" msgid "Settings" msgstr "設定" -#: js/js.js:815 +#: js/js.js:812 msgid "seconds ago" msgstr "幾秒前" -#: js/js.js:816 +#: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" -#: js/js.js:817 +#: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" -#: js/js.js:818 +#: js/js.js:815 msgid "today" msgstr "今天" -#: js/js.js:819 +#: js/js.js:816 msgid "yesterday" msgstr "昨天" -#: js/js.js:820 +#: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" msgstr[0] "" -#: js/js.js:821 +#: js/js.js:818 msgid "last month" msgstr "上個月" -#: js/js.js:822 +#: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" -#: js/js.js:823 +#: js/js.js:820 msgid "months ago" msgstr "幾個月前" -#: js/js.js:824 +#: js/js.js:821 msgid "last year" msgstr "去年" -#: js/js.js:825 +#: js/js.js:822 msgid "years ago" msgstr "幾年前" @@ -195,23 +195,19 @@ msgstr "幾年前" msgid "Choose" msgstr "選擇" -#: js/oc-dialogs.js:122 -msgid "Cancel" -msgstr "取消" - -#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 msgid "Error loading file picker template" msgstr "載入檔案選擇器樣板發生錯誤" -#: js/oc-dialogs.js:164 +#: js/oc-dialogs.js:160 msgid "Yes" msgstr "是" -#: js/oc-dialogs.js:172 +#: js/oc-dialogs.js:168 msgid "No" msgstr "否" -#: js/oc-dialogs.js:185 +#: js/oc-dialogs.js:181 msgid "Ok" msgstr "好" @@ -618,14 +614,6 @@ msgid "" "href=\"%s\">View it!

    Cheers!" msgstr "嗨,

    通知您,%s 與您分享了 %s ,
    看一下吧" -#: 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." diff --git a/l10n/zh_TW/files.po b/l10n/zh_TW/files.po index de86947869a..6bca4b0ddc8 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-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-16 05:29+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -95,12 +95,12 @@ msgstr "沒有足夠的可用空間" msgid "Upload cancelled." msgstr "上傳已取消" -#: js/file-upload.js:167 js/files.js:266 +#: js/file-upload.js:167 js/files.js:280 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "檔案上傳中。離開此頁面將會取消上傳。" -#: js/file-upload.js:233 js/files.js:339 +#: js/file-upload.js:233 js/files.js:353 msgid "URL cannot be empty." msgstr "URL 不能為空白。" @@ -108,8 +108,8 @@ msgstr "URL 不能為空白。" msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "無效的資料夾名稱,'Shared' 的使用被 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 +#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/files.js:709 js/files.js:747 msgid "Error" msgstr "錯誤" @@ -184,34 +184,40 @@ msgstr "您的儲存空間已滿,沒有辦法再更新或是同步檔案!" msgid "Your storage is almost full ({usedSpacePercent}%)" msgstr "您的儲存空間快要滿了 ({usedSpacePercent}%)" -#: js/files.js:231 +#: js/files.js:94 +msgid "" +"Encryption was disabled but your files are still encrypted. Please go to " +"your personal settings to decrypt your files." +msgstr "" + +#: js/files.js:245 msgid "" "Your download is being prepared. This might take some time if the files are " "big." msgstr "正在準備您的下載,若您的檔案較大,將會需要更多時間。" -#: js/files.js:344 +#: js/files.js:358 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" msgstr "無效的資料夾名稱,'Shared' 的使用被 ownCloud 保留" -#: js/files.js:744 templates/index.php:67 +#: js/files.js:760 templates/index.php:67 msgid "Name" msgstr "名稱" -#: js/files.js:745 templates/index.php:78 +#: js/files.js:761 templates/index.php:78 msgid "Size" msgstr "大小" -#: js/files.js:746 templates/index.php:80 +#: js/files.js:762 templates/index.php:80 msgid "Modified" msgstr "修改" -#: js/files.js:762 +#: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -#: js/files.js:768 +#: js/files.js:784 msgid "%n file" msgid_plural "%n files" msgstr[0] "" diff --git a/l10n/zh_TW/files_sharing.po b/l10n/zh_TW/files_sharing.po index 77a810102c4..6cf49409e59 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-08-07 08:59-0400\n" -"PO-Revision-Date: 2013-08-07 12:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 18:23+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 9f99db8fe3c..51f5864b64c 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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -74,10 +74,6 @@ msgid "" "administrator." msgstr "" -#: helper.php:235 -msgid "couldn't be determined" -msgstr "無法判斷" - #: json.php:28 msgid "Application is not enabled" msgstr "應用程式未啟用" diff --git a/l10n/zh_TW/settings.po b/l10n/zh_TW/settings.po index 9e38838ff48..d58f0472f63 100644 --- a/l10n/zh_TW/settings.po +++ b/l10n/zh_TW/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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:21+0000\n" -"Last-Translator: pellaeon \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:10+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -121,7 +121,11 @@ msgstr "更新應用程式錯誤" msgid "Updated" msgstr "已更新" -#: js/personal.js:118 +#: js/personal.js:150 +msgid "Decrypting files... Please wait, this can take some time." +msgstr "" + +#: js/personal.js:172 msgid "Saving..." msgstr "儲存中..." @@ -166,7 +170,7 @@ msgstr "建立用戶時出現錯誤" msgid "A valid password must be provided" msgstr "一定要提供一個有效的密碼" -#: personal.php:37 personal.php:38 +#: personal.php:40 personal.php:41 msgid "__language_name__" msgstr "__language_name__" @@ -237,106 +241,106 @@ msgstr "這臺 ownCloud 伺服器沒有連接到網際網路,因此有些功 msgid "Cron" msgstr "Cron" -#: templates/admin.php:101 +#: templates/admin.php:99 msgid "Execute one task with each page loaded" msgstr "當頁面載入時,執行" -#: templates/admin.php:111 +#: templates/admin.php:107 msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." msgstr "cron.php 已經註冊 webcron 服務,webcron 每分鐘會呼叫 cron.php 一次。" -#: templates/admin.php:121 +#: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." msgstr "使用系統的 cron 服務來呼叫 cron.php 每分鐘一次。" -#: templates/admin.php:128 +#: templates/admin.php:120 msgid "Sharing" msgstr "分享" -#: templates/admin.php:134 +#: templates/admin.php:126 msgid "Enable Share API" msgstr "啟用分享 API" -#: templates/admin.php:135 +#: templates/admin.php:127 msgid "Allow apps to use the Share API" msgstr "允許 apps 使用分享 API" -#: templates/admin.php:142 +#: templates/admin.php:134 msgid "Allow links" msgstr "允許連結" -#: templates/admin.php:143 +#: templates/admin.php:135 msgid "Allow users to share items to the public with links" msgstr "允許使用者以結連公開分享檔案" -#: templates/admin.php:151 +#: templates/admin.php:143 msgid "Allow public uploads" msgstr "允許任何人上傳" -#: templates/admin.php:152 +#: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" msgstr "允許使用者將他們公開分享的資料夾設定為「任何人皆可上傳」" -#: templates/admin.php:160 +#: templates/admin.php:152 msgid "Allow resharing" msgstr "允許轉貼分享" -#: templates/admin.php:161 +#: templates/admin.php:153 msgid "Allow users to share items shared with them again" msgstr "允許使用者分享其他使用者分享給他的檔案" -#: templates/admin.php:168 +#: templates/admin.php:160 msgid "Allow users to share with anyone" msgstr "允許使用者與任何人分享檔案" -#: templates/admin.php:171 +#: templates/admin.php:163 msgid "Allow users to only share with users in their groups" msgstr "僅允許使用者在群組內分享" -#: templates/admin.php:178 +#: templates/admin.php:170 msgid "Security" msgstr "安全性" -#: templates/admin.php:191 +#: templates/admin.php:183 msgid "Enforce HTTPS" msgstr "強制啟用 HTTPS" -#: templates/admin.php:193 +#: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." msgstr "強迫用戶端使用加密連線連接到 %s" -#: templates/admin.php:199 +#: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." msgstr "請使用 HTTPS 連線到 %s 以啓用或停用強制 SSL 加密。" -#: templates/admin.php:211 +#: templates/admin.php:203 msgid "Log" msgstr "紀錄" -#: templates/admin.php:212 +#: templates/admin.php:204 msgid "Log level" msgstr "紀錄層級" -#: templates/admin.php:243 +#: templates/admin.php:235 msgid "More" msgstr "更多" -#: templates/admin.php:244 +#: templates/admin.php:236 msgid "Less" msgstr "更少" -#: templates/admin.php:250 templates/personal.php:114 +#: templates/admin.php:242 templates/personal.php:140 msgid "Version" msgstr "版本" -#: templates/admin.php:254 templates/personal.php:117 +#: templates/admin.php:246 templates/personal.php:143 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "使用這個網址來透過 WebDAV 存取您的檔案" +#: templates/personal.php:117 +msgid "Encryption" +msgstr "加密" + +#: templates/personal.php:119 +msgid "The encryption app is no longer enabled, decrypt all your file" +msgstr "" + +#: templates/personal.php:125 +msgid "Log-in password" +msgstr "" + +#: templates/personal.php:130 +msgid "Decrypt all Files" +msgstr "" + #: templates/users.php:21 msgid "Login Name" msgstr "登入名稱" diff --git a/l10n/zh_TW/user_ldap.po b/l10n/zh_TW/user_ldap.po index 27102dc70b3..c8e59df49f4 100644 --- a/l10n/zh_TW/user_ldap.po +++ b/l10n/zh_TW/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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:22+0000\n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-19 19:07+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" @@ -155,198 +155,185 @@ msgstr "使用者登入過濾器" #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " -"username in the login action." -msgstr "試圖登入時會定義要套用的篩選器。登入過程中%%uid會取代使用者名稱。" +"username in the login action. Example: \"uid=%%uid\"" +msgstr "" #: templates/settings.php:55 -#, php-format -msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "請使用 %%uid placeholder,例如:\"uid=%%uid\"" - -#: 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 "請勿使用任何placeholder,例如:\"objectClass=person\"。" +#: templates/settings.php:58 +msgid "" +"Defines the filter to apply, when retrieving users (no placeholders). " +"Example: \"objectClass=person\"" +msgstr "" -#: templates/settings.php:61 +#: templates/settings.php:59 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 "請勿使用任何placeholder,例如:\"objectClass=posixGroup\"。" +#: templates/settings.php:62 +msgid "" +"Defines the filter to apply, when retrieving groups (no placeholders). " +"Example: \"objectClass=posixGroup\"" +msgstr "" -#: templates/settings.php:69 +#: templates/settings.php:66 msgid "Connection Settings" msgstr "連線設定" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "Configuration Active" msgstr "設定為主動模式" -#: templates/settings.php:71 +#: templates/settings.php:68 msgid "When unchecked, this configuration will be skipped." msgstr "沒有被勾選時,此設定會被略過。" -#: templates/settings.php:72 +#: templates/settings.php:69 msgid "Port" msgstr "連接阜" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "Backup (Replica) Host" msgstr "備用主機" -#: templates/settings.php:73 +#: templates/settings.php:70 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." msgstr "請給定一個可選的備用主機。必須是LDAP/AD中央伺服器的複本。" -#: templates/settings.php:74 +#: templates/settings.php:71 msgid "Backup (Replica) Port" msgstr "備用(複本)連接阜" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Disable Main Server" msgstr "停用主伺服器" -#: templates/settings.php:75 +#: templates/settings.php:72 msgid "Only connect to the replica server." msgstr "" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Use TLS" msgstr "使用TLS" -#: templates/settings.php:76 +#: templates/settings.php:73 msgid "Do not use it additionally for LDAPS connections, it will fail." msgstr "" -#: templates/settings.php:77 +#: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" msgstr "不區分大小寫的LDAP伺服器(Windows)" -#: templates/settings.php:78 +#: templates/settings.php:75 msgid "Turn off SSL certificate validation." msgstr "關閉 SSL 憑證驗證" -#: templates/settings.php:78 +#: templates/settings.php:75 #, php-format msgid "" -"If connection only works with this option, import the LDAP server's SSL " -"certificate in your %s server." +"Not recommended, use it for testing only! If connection only works with this" +" option, import the LDAP server's SSL certificate in your %s server." msgstr "" -#: templates/settings.php:78 -msgid "Not recommended, use for testing only." -msgstr "不推薦使用,僅供測試用途。" - -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "Cache Time-To-Live" msgstr "快取的存活時間" -#: templates/settings.php:79 +#: templates/settings.php:76 msgid "in seconds. A change empties the cache." msgstr "以秒為單位。更變後會清空快取。" -#: templates/settings.php:81 +#: templates/settings.php:78 msgid "Directory Settings" msgstr "目錄選項" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "User Display Name Field" msgstr "使用者名稱欄位" -#: templates/settings.php:83 +#: templates/settings.php:80 msgid "The LDAP attribute to use to generate the user's display name." msgstr "" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "Base User Tree" msgstr "Base使用者數" -#: templates/settings.php:84 +#: templates/settings.php:81 msgid "One User Base DN per line" msgstr "一行一個使用者Base DN" -#: templates/settings.php:85 +#: templates/settings.php:82 msgid "User Search Attributes" msgstr "使用者搜索屬性" -#: templates/settings.php:85 templates/settings.php:88 +#: templates/settings.php:82 templates/settings.php:85 msgid "Optional; one attribute per line" msgstr "可選的; 一行一項屬性" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "Group Display Name Field" msgstr "群組顯示名稱欄位" -#: templates/settings.php:86 +#: templates/settings.php:83 msgid "The LDAP attribute to use to generate the groups's display name." msgstr "" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "Base Group Tree" msgstr "Base群組樹" -#: templates/settings.php:87 +#: templates/settings.php:84 msgid "One Group Base DN per line" msgstr "一行一個群組Base DN" -#: templates/settings.php:88 +#: templates/settings.php:85 msgid "Group Search Attributes" msgstr "群組搜索屬性" -#: templates/settings.php:89 +#: templates/settings.php:86 msgid "Group-Member association" msgstr "群組成員的關係" -#: templates/settings.php:91 +#: templates/settings.php:88 msgid "Special Attributes" msgstr "特殊屬性" -#: templates/settings.php:93 +#: templates/settings.php:90 msgid "Quota Field" msgstr "配額欄位" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "Quota Default" msgstr "預設配額" -#: templates/settings.php:94 +#: templates/settings.php:91 msgid "in bytes" msgstr "以位元組為單位" -#: templates/settings.php:95 +#: templates/settings.php:92 msgid "Email Field" msgstr "電郵欄位" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "User Home Folder Naming Rule" msgstr "使用者家目錄的命名規則" -#: templates/settings.php:96 +#: templates/settings.php:93 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." msgstr "使用者名稱請留白(預設)。若不留白請指定一個LDAP/AD屬性。" -#: templates/settings.php:101 +#: templates/settings.php:98 msgid "Internal Username" msgstr "內部使用者名稱" -#: templates/settings.php:102 +#: templates/settings.php:99 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 " @@ -362,15 +349,15 @@ msgid "" "effect only on newly mapped (added) LDAP users." msgstr "" -#: templates/settings.php:103 +#: templates/settings.php:100 msgid "Internal Username Attribute:" msgstr "" -#: templates/settings.php:104 +#: templates/settings.php:101 msgid "Override UUID detection" msgstr "" -#: templates/settings.php:105 +#: templates/settings.php:102 msgid "" "By default, the UUID attribute is automatically detected. The UUID attribute" " is used to doubtlessly identify LDAP users and groups. Also, the internal " @@ -381,15 +368,15 @@ msgid "" "Changes will have effect only on newly mapped (added) LDAP users and groups." msgstr "" -#: templates/settings.php:106 +#: templates/settings.php:103 msgid "UUID Attribute:" msgstr "" -#: templates/settings.php:107 +#: templates/settings.php:104 msgid "Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:108 +#: templates/settings.php:105 msgid "" "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. " @@ -403,18 +390,18 @@ msgid "" "experimental stage." msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Username-LDAP User Mapping" msgstr "" -#: templates/settings.php:109 +#: templates/settings.php:106 msgid "Clear Groupname-LDAP Group Mapping" msgstr "" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Test Configuration" msgstr "測試此設定" -#: templates/settings.php:111 +#: templates/settings.php:108 msgid "Help" msgstr "說明" diff --git a/l10n/zh_TW/user_webdavauth.po b/l10n/zh_TW/user_webdavauth.po index 2e684f4150b..88132e1361f 100644 --- a/l10n/zh_TW/user_webdavauth.po +++ b/l10n/zh_TW/user_webdavauth.po @@ -4,6 +4,7 @@ # # Translators: # Hydriz , 2013 +# chenanyeh , 2013 # Hydriz , 2013 # pellaeon , 2013 # sofiasu , 2012 @@ -11,9 +12,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-27 01:56-0400\n" -"PO-Revision-Date: 2013-07-27 05:57+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-19 15:06-0400\n" +"PO-Revision-Date: 2013-08-17 09:30+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" @@ -27,11 +28,11 @@ msgstr "WebDAV 認證" #: templates/settings.php:4 msgid "Address: " -msgstr "" +msgstr "為址" #: templates/settings.php:7 msgid "" "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." -msgstr "" +msgstr "使用者憑證將會被傳送到此位址。此外掛程式將會檢查回應,HTTP statuscodes 401與403將會被理解為無效憑證,而所有其他的回應將會被理解為有效憑證。" diff --git a/lib/l10n/ar.php b/lib/l10n/ar.php index 2e95f28841e..f626dcdfda6 100644 --- a/lib/l10n/ar.php +++ b/lib/l10n/ar.php @@ -10,7 +10,6 @@ $TRANSLATIONS = array( "Files need to be downloaded one by one." => "الملفات بحاجة الى ان يتم تحميلها واحد تلو الاخر", "Back to Files" => "العودة الى الملفات", "Selected files too large to generate zip file." => "الملفات المحددة كبيرة جدا ليتم ضغطها في ملف zip", -"couldn't be determined" => "تعذّر تحديده", "Application is not enabled" => "التطبيق غير مفعّل", "Authentication error" => "لم يتم التأكد من الشخصية بنجاح", "Token expired. Please reload page." => "انتهت صلاحية الكلمة , يرجى اعادة تحميل الصفحة", diff --git a/lib/l10n/bg_BG.php b/lib/l10n/bg_BG.php index 10d3bb610af..b6cc949eb8a 100644 --- a/lib/l10n/bg_BG.php +++ b/lib/l10n/bg_BG.php @@ -10,7 +10,6 @@ $TRANSLATIONS = array( "Files need to be downloaded one by one." => "Файловете трябва да се изтеглят един по един.", "Back to Files" => "Назад към файловете", "Selected files too large to generate zip file." => "Избраните файлове са прекалено големи за генерирането на ZIP архив.", -"couldn't be determined" => "не може да се определи", "Application is not enabled" => "Приложението не е включено.", "Authentication error" => "Възникна проблем с идентификацията", "Token expired. Please reload page." => "Ключът е изтекъл, моля презаредете страницата", diff --git a/lib/l10n/ca.php b/lib/l10n/ca.php index 95faed498cd..67ccdabc636 100644 --- a/lib/l10n/ca.php +++ b/lib/l10n/ca.php @@ -13,7 +13,6 @@ $TRANSLATIONS = array( "Back to Files" => "Torna a Fitxers", "Selected files too large to generate zip file." => "Els fitxers seleccionats son massa grans per generar un fitxer zip.", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "Baixeu els fitxers en trossos petits, de forma separada, o pregunteu a l'administrador.", -"couldn't be determined" => "no s'ha pogut determinar", "Application is not enabled" => "L'aplicació no està habilitada", "Authentication error" => "Error d'autenticació", "Token expired. Please reload page." => "El testimoni ha expirat. Torneu a carregar la pàgina.", diff --git a/lib/l10n/cs_CZ.php b/lib/l10n/cs_CZ.php index ec54376024d..1a80fc78bb6 100644 --- a/lib/l10n/cs_CZ.php +++ b/lib/l10n/cs_CZ.php @@ -13,7 +13,6 @@ $TRANSLATIONS = array( "Back to Files" => "Zpět k souborům", "Selected files too large to generate zip file." => "Vybrané soubory jsou příliš velké pro vytvoření ZIP souboru.", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "Stáhněte soubory po menších částech, samostatně, nebo se obraťte na správce.", -"couldn't be determined" => "nelze zjistit", "Application is not enabled" => "Aplikace není povolena", "Authentication error" => "Chyba ověření", "Token expired. Please reload page." => "Token vypršel. Obnovte prosím stránku.", @@ -41,13 +40,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Váš webový server není správně nastaven pro umožnění synchronizace, rozhraní WebDAV se zdá být rozbité.", "Please double check the installation guides." => "Zkonzultujte, prosím, průvodce instalací.", "seconds ago" => "před pár sekundami", -"_%n minute ago_::_%n minutes ago_" => array("","",""), -"_%n hour ago_::_%n hours ago_" => array("","",""), +"_%n minute ago_::_%n minutes ago_" => array("před %n minutou","před %n minutami","před %n minutami"), +"_%n hour ago_::_%n hours ago_" => array("před %n hodinou","před %n hodinami","před %n hodinami"), "today" => "dnes", "yesterday" => "včera", -"_%n day go_::_%n days ago_" => array("","",""), +"_%n day go_::_%n days ago_" => array("před %n dnem","před %n dny","před %n dny"), "last month" => "minulý měsíc", -"_%n month ago_::_%n months ago_" => array("","",""), +"_%n month ago_::_%n months ago_" => array("před %n měsícem","před %n měsíci","před %n měsíci"), "last year" => "minulý rok", "years ago" => "před lety", "Caused by:" => "Příčina:", diff --git a/lib/l10n/cy_GB.php b/lib/l10n/cy_GB.php index 649a1ebffac..6973b51878f 100644 --- a/lib/l10n/cy_GB.php +++ b/lib/l10n/cy_GB.php @@ -10,7 +10,6 @@ $TRANSLATIONS = array( "Files need to be downloaded one by one." => "Mae angen llwytho ffeiliau i lawr fesul un.", "Back to Files" => "Nôl i Ffeiliau", "Selected files too large to generate zip file." => "Mae'r ffeiliau ddewiswyd yn rhy fawr i gynhyrchu ffeil zip.", -"couldn't be determined" => "methwyd pennu", "Application is not enabled" => "Nid yw'r pecyn wedi'i alluogi", "Authentication error" => "Gwall dilysu", "Token expired. Please reload page." => "Tocyn wedi dod i ben. Ail-lwythwch y dudalen.", diff --git a/lib/l10n/da.php b/lib/l10n/da.php index cbf6b16debb..78859b08745 100644 --- a/lib/l10n/da.php +++ b/lib/l10n/da.php @@ -13,7 +13,6 @@ $TRANSLATIONS = array( "Back to Files" => "Tilbage til Filer", "Selected files too large to generate zip file." => "De markerede filer er for store til at generere en ZIP-fil.", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "Download filerne i små bider, seperat, eller kontakt venligst din administrator.", -"couldn't be determined" => "kunne ikke fastslås", "Application is not enabled" => "Programmet er ikke aktiveret", "Authentication error" => "Adgangsfejl", "Token expired. Please reload page." => "Adgang er udløbet. Genindlæs siden.", diff --git a/lib/l10n/de.php b/lib/l10n/de.php index 798322fdb47..01fe5ee0583 100644 --- a/lib/l10n/de.php +++ b/lib/l10n/de.php @@ -13,7 +13,6 @@ $TRANSLATIONS = array( "Back to Files" => "Zurück zu \"Dateien\"", "Selected files too large to generate zip file." => "Die gewählten Dateien sind zu groß, um eine ZIP-Datei zu erstellen.", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "Lade die Dateien in kleineren, separaten, Stücken herunter oder bitte deinen Administrator.", -"couldn't be determined" => "konnte nicht festgestellt werden", "Application is not enabled" => "Die Anwendung ist nicht aktiviert", "Authentication error" => "Fehler bei der Anmeldung", "Token expired. Please reload page." => "Token abgelaufen. Bitte lade die Seite neu.", diff --git a/lib/l10n/de_CH.php b/lib/l10n/de_CH.php index d99c144f185..188ea4e2fc0 100644 --- a/lib/l10n/de_CH.php +++ b/lib/l10n/de_CH.php @@ -13,7 +13,6 @@ $TRANSLATIONS = array( "Back to Files" => "Zurück zu \"Dateien\"", "Selected files too large to generate zip file." => "Die gewählten Dateien sind zu gross, um eine ZIP-Datei zu erstellen.", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "Laden Sie die Dateien in kleineren, separaten, Stücken herunter oder bitten Sie Ihren Administrator.", -"couldn't be determined" => "konnte nicht ermittelt werden", "Application is not enabled" => "Die Anwendung ist nicht aktiviert", "Authentication error" => "Authentifizierungs-Fehler", "Token expired. Please reload page." => "Token abgelaufen. Bitte laden Sie die Seite neu.", diff --git a/lib/l10n/de_DE.php b/lib/l10n/de_DE.php index 698a36bd780..9fd319b7e1b 100644 --- a/lib/l10n/de_DE.php +++ b/lib/l10n/de_DE.php @@ -13,7 +13,6 @@ $TRANSLATIONS = array( "Back to Files" => "Zurück zu \"Dateien\"", "Selected files too large to generate zip file." => "Die gewählten Dateien sind zu groß, um eine ZIP-Datei zu erstellen.", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "Laden Sie die Dateien in kleineren, separaten, Stücken herunter oder bitten Sie Ihren Administrator.", -"couldn't be determined" => "konnte nicht ermittelt werden", "Application is not enabled" => "Die Anwendung ist nicht aktiviert", "Authentication error" => "Authentifizierungs-Fehler", "Token expired. Please reload page." => "Token abgelaufen. Bitte laden Sie die Seite neu.", diff --git a/lib/l10n/el.php b/lib/l10n/el.php index 0fbd134ae92..dcbf82d4a4b 100644 --- a/lib/l10n/el.php +++ b/lib/l10n/el.php @@ -13,7 +13,6 @@ $TRANSLATIONS = array( "Back to Files" => "Πίσω στα Αρχεία", "Selected files too large to generate zip file." => "Τα επιλεγμένα αρχεία είναι μεγάλα ώστε να δημιουργηθεί αρχείο zip.", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "Λήψη των αρχείων σε μικρότερα κομμάτια, χωριστά ή ρωτήστε τον διαχειριστή σας.", -"couldn't be determined" => "δεν μπορούσε να προσδιορισθεί", "Application is not enabled" => "Δεν ενεργοποιήθηκε η εφαρμογή", "Authentication error" => "Σφάλμα πιστοποίησης", "Token expired. Please reload page." => "Το αναγνωριστικό έληξε. Παρακαλώ φορτώστε ξανά την σελίδα.", diff --git a/lib/l10n/es.php b/lib/l10n/es.php index 2029c9b17fe..14bbf6f6a13 100644 --- a/lib/l10n/es.php +++ b/lib/l10n/es.php @@ -13,7 +13,6 @@ $TRANSLATIONS = array( "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.", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "Descargue los archivos en trozos más pequeños, por separado o solicítelos amablemente su administrador.", -"couldn't be determined" => "no pudo ser determinado", "Application is not enabled" => "La aplicación no está habilitada", "Authentication error" => "Error de autenticación", "Token expired. Please reload page." => "Token expirado. Por favor, recarga la página.", diff --git a/lib/l10n/es_AR.php b/lib/l10n/es_AR.php index 0632c754052..26f1e4ecd5e 100644 --- a/lib/l10n/es_AR.php +++ b/lib/l10n/es_AR.php @@ -13,7 +13,6 @@ $TRANSLATIONS = array( "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.", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "Descargá los archivos en partes más chicas, de forma separada, o pedíselos al administrador", -"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.", diff --git a/lib/l10n/et_EE.php b/lib/l10n/et_EE.php index a7d823a62c1..912ef37a935 100644 --- a/lib/l10n/et_EE.php +++ b/lib/l10n/et_EE.php @@ -13,7 +13,6 @@ $TRANSLATIONS = array( "Back to Files" => "Tagasi failide juurde", "Selected files too large to generate zip file." => "Valitud failid on ZIP-faili loomiseks liiga suured.", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "Laadi failid alla eraldi väiksemate osadena või küsi nõu oma süsteemiadminstraatorilt.", -"couldn't be determined" => "ei suudetud tuvastada", "Application is not enabled" => "Rakendus pole sisse lülitatud", "Authentication error" => "Autentimise viga", "Token expired. Please reload page." => "Kontrollkood aegus. Paelun lae leht uuesti.", diff --git a/lib/l10n/eu.php b/lib/l10n/eu.php index c5ce243f2fa..8f967314f4b 100644 --- a/lib/l10n/eu.php +++ b/lib/l10n/eu.php @@ -13,7 +13,6 @@ $TRANSLATIONS = array( "Back to Files" => "Itzuli fitxategietara", "Selected files too large to generate zip file." => "Hautatuko fitxategiak oso handiak dira zip fitxategia sortzeko.", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "Deskargatu fitzategiak zati txikiagoetan, banan-banan edo eskatu mesedez zure administradoreari", -"couldn't be determined" => "ezin izan da zehaztu", "Application is not enabled" => "Aplikazioa ez dago gaituta", "Authentication error" => "Autentifikazio errorea", "Token expired. Please reload page." => "Tokena iraungitu da. Mesedez birkargatu orria.", diff --git a/lib/l10n/fa.php b/lib/l10n/fa.php index e2d8ed50aa3..e9cb695bade 100644 --- a/lib/l10n/fa.php +++ b/lib/l10n/fa.php @@ -10,7 +10,6 @@ $TRANSLATIONS = array( "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." => "رمز منقضی شده است. لطفا دوباره صفحه را بارگذاری نمایید.", diff --git a/lib/l10n/fi_FI.php b/lib/l10n/fi_FI.php index dccb1753042..4552d4627c0 100644 --- a/lib/l10n/fi_FI.php +++ b/lib/l10n/fi_FI.php @@ -10,7 +10,6 @@ $TRANSLATIONS = array( "Files need to be downloaded one by one." => "Tiedostot on ladattava yksittäin.", "Back to Files" => "Takaisin tiedostoihin", "Selected files too large to generate zip file." => "Valitut tiedostot ovat liian suurikokoisia mahtuakseen zip-tiedostoon.", -"couldn't be determined" => "ei voitu määrittää", "Application is not enabled" => "Sovellusta ei ole otettu käyttöön", "Authentication error" => "Tunnistautumisvirhe", "Token expired. Please reload page." => "Valtuutus vanheni. Lataa sivu uudelleen.", diff --git a/lib/l10n/fr.php b/lib/l10n/fr.php index 0a040bb9e8e..cfcca28d5f8 100644 --- a/lib/l10n/fr.php +++ b/lib/l10n/fr.php @@ -10,7 +10,6 @@ $TRANSLATIONS = array( "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", "Selected files too large to generate zip file." => "Les fichiers sélectionnés sont trop volumineux pour être compressés.", -"couldn't be determined" => "impossible à déterminer", "Application is not enabled" => "L'application n'est pas activée", "Authentication error" => "Erreur d'authentification", "Token expired. Please reload page." => "La session a expiré. Veuillez recharger la page.", diff --git a/lib/l10n/gl.php b/lib/l10n/gl.php index f105578ace2..4d92e89ebba 100644 --- a/lib/l10n/gl.php +++ b/lib/l10n/gl.php @@ -13,7 +13,6 @@ $TRANSLATIONS = array( "Back to Files" => "Volver aos ficheiros", "Selected files too large to generate zip file." => "Os ficheiros seleccionados son demasiado grandes como para xerar un ficheiro zip.", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "Descargue os ficheiros en cachos máis pequenos e por separado, ou pídallos amabelmente ao seu administrador.", -"couldn't be determined" => "non foi posíbel determinalo", "Application is not enabled" => "O aplicativo non está activado", "Authentication error" => "Produciuse un erro de autenticación", "Token expired. Please reload page." => "Testemuña caducada. Recargue a páxina.", diff --git a/lib/l10n/hu_HU.php b/lib/l10n/hu_HU.php index c8aff3add72..7ec7621a655 100644 --- a/lib/l10n/hu_HU.php +++ b/lib/l10n/hu_HU.php @@ -13,7 +13,6 @@ $TRANSLATIONS = array( "Back to Files" => "Vissza a Fájlokhoz", "Selected files too large to generate zip file." => "A kiválasztott fájlok túl nagyok a zip tömörítéshez.", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "Tölts le a fileokat kisebb chunkokban, kölün vagy kérj segitséget a rendszergazdádtól.", -"couldn't be determined" => "nem határozható meg", "Application is not enabled" => "Az alkalmazás nincs engedélyezve", "Authentication error" => "Azonosítási hiba", "Token expired. Please reload page." => "A token lejárt. Frissítse az oldalt.", diff --git a/lib/l10n/id.php b/lib/l10n/id.php index eaec65516b8..080faddb321 100644 --- a/lib/l10n/id.php +++ b/lib/l10n/id.php @@ -10,7 +10,6 @@ $TRANSLATIONS = array( "Files need to be downloaded one by one." => "Berkas harus diunduh satu persatu.", "Back to Files" => "Kembali ke Daftar Berkas", "Selected files too large to generate zip file." => "Berkas yang dipilih terlalu besar untuk dibuat berkas zip-nya.", -"couldn't be determined" => "tidak dapat ditentukan", "Application is not enabled" => "Aplikasi tidak diaktifkan", "Authentication error" => "Galat saat autentikasi", "Token expired. Please reload page." => "Token kedaluwarsa. Silakan muat ulang halaman.", diff --git a/lib/l10n/it.php b/lib/l10n/it.php index c29ab4833e3..e734fbdbb9b 100644 --- a/lib/l10n/it.php +++ b/lib/l10n/it.php @@ -13,7 +13,6 @@ $TRANSLATIONS = array( "Back to Files" => "Torna ai file", "Selected files too large to generate zip file." => "I file selezionati sono troppo grandi per generare un file zip.", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "Scarica i file in blocchi più piccoli, separatamente o chiedi al tuo amministratore.", -"couldn't be determined" => "non può essere determinato", "Application is not enabled" => "L'applicazione non è abilitata", "Authentication error" => "Errore di autenticazione", "Token expired. Please reload page." => "Token scaduto. Ricarica la pagina.", diff --git a/lib/l10n/ja_JP.php b/lib/l10n/ja_JP.php index 482806d4946..902170524b9 100644 --- a/lib/l10n/ja_JP.php +++ b/lib/l10n/ja_JP.php @@ -13,7 +13,6 @@ $TRANSLATIONS = array( "Back to Files" => "ファイルに戻る", "Selected files too large to generate zip file." => "選択したファイルはZIPファイルの生成には大きすぎます。", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "ファイルは、小さいファイルに分割されてダウンロードされます。もしくは、管理者にお尋ねください。", -"couldn't be determined" => "測定できませんでした", "Application is not enabled" => "アプリケーションは無効です", "Authentication error" => "認証エラー", "Token expired. Please reload page." => "トークンが無効になりました。ページを再読込してください。", @@ -41,13 +40,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "WebDAVインタフェースが動作していないと考えられるため、あなたのWEBサーバはまだファイルの同期を許可するように適切な設定がされていません。", "Please double check the installation guides." => "インストールガイドをよく確認してください。", "seconds ago" => "数秒前", -"_%n minute ago_::_%n minutes ago_" => array(""), -"_%n hour ago_::_%n hours ago_" => array(""), +"_%n minute ago_::_%n minutes ago_" => array("%n 分前"), +"_%n hour ago_::_%n hours ago_" => array("%n 時間後"), "today" => "今日", "yesterday" => "昨日", -"_%n day go_::_%n days ago_" => array(""), +"_%n day go_::_%n days ago_" => array("%n 日後"), "last month" => "一月前", -"_%n month ago_::_%n months ago_" => array(""), +"_%n month ago_::_%n months ago_" => array("%n カ月後"), "last year" => "一年前", "years ago" => "年前", "Caused by:" => "原因は以下:", diff --git a/lib/l10n/ka_GE.php b/lib/l10n/ka_GE.php index 3cb55277d6c..8fbe34e6786 100644 --- a/lib/l10n/ka_GE.php +++ b/lib/l10n/ka_GE.php @@ -10,7 +10,6 @@ $TRANSLATIONS = array( "Files need to be downloaded one by one." => "ფაილები უნდა გადმოიტვირთოს სათითაოდ.", "Back to Files" => "უკან ფაილებში", "Selected files too large to generate zip file." => "არჩეული ფაილები ძალიან დიდია zip ფაილის გენერაციისთვის.", -"couldn't be determined" => "ვერ განისაზღვრა", "Application is not enabled" => "აპლიკაცია არ არის აქტიური", "Authentication error" => "ავთენტიფიკაციის შეცდომა", "Token expired. Please reload page." => "Token–ს ვადა გაუვიდა. გთხოვთ განაახლოთ გვერდი.", diff --git a/lib/l10n/ko.php b/lib/l10n/ko.php index 824882c984d..4dab8b816bf 100644 --- a/lib/l10n/ko.php +++ b/lib/l10n/ko.php @@ -10,7 +10,6 @@ $TRANSLATIONS = array( "Files need to be downloaded one by one." => "파일을 개별적으로 다운로드해야 합니다.", "Back to Files" => "파일로 돌아가기", "Selected files too large to generate zip file." => "선택한 파일들은 ZIP 파일을 생성하기에 너무 큽니다.", -"couldn't be determined" => "결정할 수 없음", "Application is not enabled" => "앱이 활성화되지 않았습니다", "Authentication error" => "인증 오류", "Token expired. Please reload page." => "토큰이 만료되었습니다. 페이지를 새로 고치십시오.", diff --git a/lib/l10n/lv.php b/lib/l10n/lv.php index 2a2daee8d89..4090a36edcc 100644 --- a/lib/l10n/lv.php +++ b/lib/l10n/lv.php @@ -5,12 +5,14 @@ $TRANSLATIONS = array( "Settings" => "Iestatījumi", "Users" => "Lietotāji", "Admin" => "Administratori", +"Failed to upgrade \"%s\"." => "Kļūda atjauninot \"%s\"", "web services under your control" => "tīmekļa servisi tavā varā", +"cannot open \"%s\"" => "Nevar atvērt \"%s\"", "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", "Selected files too large to generate zip file." => "Izvēlētās datnes ir pārāk lielas, lai izveidotu zip datni.", -"couldn't be determined" => "nevarēja noteikt", +"Download the files in smaller chunks, seperately or kindly ask your administrator." => "Lejupielādējiet savus failus mazākās daļās, atsevišķi vai palūdziet tos administratoram.", "Application is not enabled" => "Lietotne nav aktivēta", "Authentication error" => "Autentifikācijas kļūda", "Token expired. Please reload page." => "Pilnvarai ir beidzies termiņš. Lūdzu, pārlādējiet lapu.", @@ -29,6 +31,7 @@ $TRANSLATIONS = array( "Drop this user from MySQL" => "Izmest šo lietotāju no MySQL", "MySQL user '%s'@'%%' already exists" => "MySQL lietotājs '%s'@'%%' jau eksistē", "Drop this user from MySQL." => "Izmest šo lietotāju no MySQL.", +"Oracle connection could not be established" => "Nevar izveidot savienojumu ar Oracle", "Oracle username and/or password not valid" => "Nav derīga Oracle parole un/vai lietotājvārds", "Offending command was: \"%s\", name: %s, password: %s" => "Vainīgā komanda bija \"%s\", vārds: %s, parole: %s", "PostgreSQL username and/or password not valid" => "Nav derīga PostgreSQL parole un/vai lietotājvārds", @@ -37,15 +40,16 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Jūsu serveris vēl nav pareizi iestatīts, lai ļautu sinhronizēt datnes, jo izskatās, ka WebDAV saskarne ir salauzta.", "Please double check the installation guides." => "Lūdzu, vēlreiz pārbaudiet instalēšanas palīdzību.", "seconds ago" => "sekundes atpakaļ", -"_%n minute ago_::_%n minutes ago_" => array("","",""), -"_%n hour ago_::_%n hours ago_" => array("","",""), +"_%n minute ago_::_%n minutes ago_" => array("","","Pirms %n minūtēm"), +"_%n hour ago_::_%n hours ago_" => array("","","Pirms %n stundām"), "today" => "šodien", "yesterday" => "vakar", -"_%n day go_::_%n days ago_" => array("","",""), +"_%n day go_::_%n days ago_" => array("","","Pirms %n dienām"), "last month" => "pagājušajā mēnesī", -"_%n month ago_::_%n months ago_" => array("","",""), +"_%n month ago_::_%n months ago_" => array("","","Pirms %n mēnešiem"), "last year" => "gājušajā gadā", "years ago" => "gadus atpakaļ", +"Caused by:" => "Cēlonis:", "Could not find category \"%s\"" => "Nevarēja atrast kategoriju “%s”" ); $PLURAL_FORMS = "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);"; diff --git a/lib/l10n/my_MM.php b/lib/l10n/my_MM.php index b2e9ca18139..5f4b6ddc820 100644 --- a/lib/l10n/my_MM.php +++ b/lib/l10n/my_MM.php @@ -8,7 +8,6 @@ $TRANSLATIONS = array( "Files need to be downloaded one by one." => "ဖိုင်များသည် တစ်ခုပြီး တစ်ခုဒေါင်းလုတ်ချရန်လိုအပ်သည်", "Back to Files" => "ဖိုင်သို့ပြန်သွားမည်", "Selected files too large to generate zip file." => "zip ဖိုင်အဖြစ်ပြုလုပ်ရန် ရွေးချယ်ထားသောဖိုင်များသည် အရမ်းကြီးလွန်းသည်", -"couldn't be determined" => "မဆုံးဖြတ်နိုင်ပါ။", "Authentication error" => "ခွင့်ပြုချက်မအောင်မြင်", "Files" => "ဖိုင်များ", "Text" => "စာသား", diff --git a/lib/l10n/nl.php b/lib/l10n/nl.php index 2d737bd5ebd..338c3673c5b 100644 --- a/lib/l10n/nl.php +++ b/lib/l10n/nl.php @@ -13,7 +13,6 @@ $TRANSLATIONS = array( "Back to Files" => "Terug naar bestanden", "Selected files too large to generate zip file." => "De geselecteerde bestanden zijn te groot om een zip bestand te maken.", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "Download de bestanden in kleinere brokken, appart of vraag uw administrator.", -"couldn't be determined" => "kon niet worden vastgesteld", "Application is not enabled" => "De applicatie is niet actief", "Authentication error" => "Authenticatie fout", "Token expired. Please reload page." => "Token verlopen. Herlaad de pagina.", @@ -41,13 +40,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Uw webserver is nog niet goed ingesteld voor bestandssynchronisatie omdat de WebDAV interface verbroken lijkt.", "Please double check the installation guides." => "Controleer de installatiehandleiding goed.", "seconds ago" => "seconden geleden", -"_%n minute ago_::_%n minutes ago_" => array("",""), -"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n minute ago_::_%n minutes ago_" => array("%n minuut geleden","%n minuten geleden"), +"_%n hour ago_::_%n hours ago_" => array("%n uur geleden","%n uur geleden"), "today" => "vandaag", "yesterday" => "gisteren", -"_%n day go_::_%n days ago_" => array("",""), +"_%n day go_::_%n days ago_" => array("%n dag terug","%n dagen geleden"), "last month" => "vorige maand", -"_%n month ago_::_%n months ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("%n maand geleden","%n maanden geleden"), "last year" => "vorig jaar", "years ago" => "jaar geleden", "Caused by:" => "Gekomen door:", diff --git a/lib/l10n/pl.php b/lib/l10n/pl.php index 1740676080e..984043aa0be 100644 --- a/lib/l10n/pl.php +++ b/lib/l10n/pl.php @@ -13,7 +13,6 @@ $TRANSLATIONS = array( "Back to Files" => "Wróć do plików", "Selected files too large to generate zip file." => "Wybrane pliki są zbyt duże, aby wygenerować plik zip.", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "Pobierz pliki w mniejszy kawałkach, oddzielnie lub poproś administratora o zwiększenie limitu.", -"couldn't be determined" => "nie może zostać znaleziony", "Application is not enabled" => "Aplikacja nie jest włączona", "Authentication error" => "Błąd uwierzytelniania", "Token expired. Please reload page." => "Token wygasł. Proszę ponownie załadować stronę.", diff --git a/lib/l10n/pt_BR.php b/lib/l10n/pt_BR.php index 4ebf587cf86..52329667174 100644 --- a/lib/l10n/pt_BR.php +++ b/lib/l10n/pt_BR.php @@ -13,7 +13,6 @@ $TRANSLATIONS = array( "Back to Files" => "Voltar para Arquivos", "Selected files too large to generate zip file." => "Arquivos selecionados são muito grandes para gerar arquivo zip.", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "Baixe os arquivos em pedaços menores, separadamente ou solicite educadamente ao seu administrador.", -"couldn't be determined" => "não pôde ser determinado", "Application is not enabled" => "Aplicação não está habilitada", "Authentication error" => "Erro de autenticação", "Token expired. Please reload page." => "Token expirou. Por favor recarregue a página.", diff --git a/lib/l10n/pt_PT.php b/lib/l10n/pt_PT.php index 3131499e130..c8a2f78cbf5 100644 --- a/lib/l10n/pt_PT.php +++ b/lib/l10n/pt_PT.php @@ -13,7 +13,6 @@ $TRANSLATIONS = array( "Back to Files" => "Voltar a Ficheiros", "Selected files too large to generate zip file." => "Os ficheiros seleccionados são grandes demais para gerar um ficheiro zip.", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "Descarregue os ficheiros em partes menores, separados ou peça gentilmente ao seu administrador.", -"couldn't be determined" => "Não foi possível determinar", "Application is not enabled" => "A aplicação não está activada", "Authentication error" => "Erro na autenticação", "Token expired. Please reload page." => "O token expirou. Por favor recarregue a página.", diff --git a/lib/l10n/ro.php b/lib/l10n/ro.php index 2b6d14d58f3..b338b349239 100644 --- a/lib/l10n/ro.php +++ b/lib/l10n/ro.php @@ -10,7 +10,6 @@ $TRANSLATIONS = array( "Files need to be downloaded one by one." => "Fișierele trebuie descărcate unul câte unul.", "Back to Files" => "Înapoi la fișiere", "Selected files too large to generate zip file." => "Fișierele selectate sunt prea mari pentru a genera un fișier zip.", -"couldn't be determined" => "nu poate fi determinat", "Application is not enabled" => "Aplicația nu este activată", "Authentication error" => "Eroare la autentificare", "Token expired. Please reload page." => "Token expirat. Te rugăm să reîncarci pagina.", diff --git a/lib/l10n/ru.php b/lib/l10n/ru.php index 92b14b9b89e..c3b6a077b72 100644 --- a/lib/l10n/ru.php +++ b/lib/l10n/ru.php @@ -13,7 +13,6 @@ $TRANSLATIONS = array( "Back to Files" => "Назад к файлам", "Selected files too large to generate zip file." => "Выбранные файлы слишком велики, чтобы создать zip файл.", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "Загрузите файл маленьшими порциями, раздельно или вежливо попросите Вашего администратора.", -"couldn't be determined" => "Невозможно установить", "Application is not enabled" => "Приложение не разрешено", "Authentication error" => "Ошибка аутентификации", "Token expired. Please reload page." => "Токен просрочен. Перезагрузите страницу.", @@ -41,13 +40,13 @@ $TRANSLATIONS = array( "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" => "несколько секунд назад", -"_%n minute ago_::_%n minutes ago_" => array("","",""), -"_%n hour ago_::_%n hours ago_" => array("","",""), +"_%n minute ago_::_%n minutes ago_" => array("%n минута назад","%n минуты назад","%n минут назад"), +"_%n hour ago_::_%n hours ago_" => array("%n час назад","%n часа назад","%n часов назад"), "today" => "сегодня", "yesterday" => "вчера", -"_%n day go_::_%n days ago_" => array("","",""), +"_%n day go_::_%n days ago_" => array("%n день назад","%n дня назад","%n дней назад"), "last month" => "в прошлом месяце", -"_%n month ago_::_%n months ago_" => array("","",""), +"_%n month ago_::_%n months ago_" => array("%n месяц назад","%n месяца назад","%n месяцев назад"), "last year" => "в прошлом году", "years ago" => "несколько лет назад", "Caused by:" => "Вызвано:", diff --git a/lib/l10n/sk_SK.php b/lib/l10n/sk_SK.php index ef3dc6eb977..43a4b4a0bee 100644 --- a/lib/l10n/sk_SK.php +++ b/lib/l10n/sk_SK.php @@ -13,7 +13,6 @@ $TRANSLATIONS = array( "Back to Files" => "Späť na súbory", "Selected files too large to generate zip file." => "Zvolené súbory sú príliš veľké na vygenerovanie zip súboru.", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "Stiahnite súbory po menších častiach, samostatne, alebo sa obráťte na správcu.", -"couldn't be determined" => "nedá sa zistiť", "Application is not enabled" => "Aplikácia nie je zapnutá", "Authentication error" => "Chyba autentifikácie", "Token expired. Please reload page." => "Token vypršal. Obnovte, prosím, stránku.", diff --git a/lib/l10n/sl.php b/lib/l10n/sl.php index 73a397f3c84..5722191aedf 100644 --- a/lib/l10n/sl.php +++ b/lib/l10n/sl.php @@ -10,7 +10,6 @@ $TRANSLATIONS = array( "Files need to be downloaded one by one." => "Datoteke je mogoče prejeti le posamično.", "Back to Files" => "Nazaj na datoteke", "Selected files too large to generate zip file." => "Izbrane datoteke so prevelike za ustvarjanje datoteke arhiva zip.", -"couldn't be determined" => "ni mogoče določiti", "Application is not enabled" => "Program ni omogočen", "Authentication error" => "Napaka pri overjanju", "Token expired. Please reload page." => "Žeton je potekel. Stran je treba ponovno naložiti.", diff --git a/lib/l10n/sq.php b/lib/l10n/sq.php index ca2364f9864..c2447b7ea23 100644 --- a/lib/l10n/sq.php +++ b/lib/l10n/sq.php @@ -10,7 +10,6 @@ $TRANSLATIONS = array( "Files need to be downloaded one by one." => "Skedarët duhet të shkarkohen një nga një.", "Back to Files" => "Kthehu tek skedarët", "Selected files too large to generate zip file." => "Skedarët e selektuar janë shumë të mëdhenj për të krijuar një skedar ZIP.", -"couldn't be determined" => "nuk u vendos dot", "Application is not enabled" => "Programi nuk është i aktivizuar.", "Authentication error" => "Veprim i gabuar gjatë vërtetimit të identitetit", "Token expired. Please reload page." => "Përmbajtja ka skaduar. Ju lutemi ringarkoni faqen.", diff --git a/lib/l10n/sr.php b/lib/l10n/sr.php index c42419b6d92..9441d0578fc 100644 --- a/lib/l10n/sr.php +++ b/lib/l10n/sr.php @@ -10,7 +10,6 @@ $TRANSLATIONS = array( "Files need to be downloaded one by one." => "Датотеке морате преузимати једну по једну.", "Back to Files" => "Назад на датотеке", "Selected files too large to generate zip file." => "Изабране датотеке су превелике да бисте направили ZIP датотеку.", -"couldn't be determined" => "није одређено", "Application is not enabled" => "Апликација није омогућена", "Authentication error" => "Грешка при провери идентитета", "Token expired. Please reload page." => "Жетон је истекао. Поново учитајте страницу.", diff --git a/lib/l10n/sv.php b/lib/l10n/sv.php index fa3ae318cee..dd54e6ca5d3 100644 --- a/lib/l10n/sv.php +++ b/lib/l10n/sv.php @@ -13,7 +13,6 @@ $TRANSLATIONS = array( "Back to Files" => "Tillbaka till Filer", "Selected files too large to generate zip file." => "Valda filer är för stora för att skapa zip-fil.", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "Ladda ner filerna i mindre bitar, separat eller fråga din administratör.", -"couldn't be determined" => "kunde inte bestämmas", "Application is not enabled" => "Applikationen är inte aktiverad", "Authentication error" => "Fel vid autentisering", "Token expired. Please reload page." => "Ogiltig token. Ladda om sidan.", @@ -41,13 +40,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Din webbserver är inte korrekt konfigurerad för att tillåta filsynkronisering eftersom WebDAV inte verkar fungera.", "Please double check the installation guides." => "Var god kontrollera installationsguiden.", "seconds ago" => "sekunder sedan", -"_%n minute ago_::_%n minutes ago_" => array("",""), -"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n minute ago_::_%n minutes ago_" => array("%n minut sedan","%n minuter sedan"), +"_%n hour ago_::_%n hours ago_" => array("%n timme sedan","%n timmar sedan"), "today" => "i dag", "yesterday" => "i går", -"_%n day go_::_%n days ago_" => array("",""), +"_%n day go_::_%n days ago_" => array("%n dag sedan","%n dagar sedan"), "last month" => "förra månaden", -"_%n month ago_::_%n months ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("%n månad sedan","%n månader sedan"), "last year" => "förra året", "years ago" => "år sedan", "Caused by:" => "Orsakad av:", diff --git a/lib/l10n/th_TH.php b/lib/l10n/th_TH.php index 53a150d8f1e..3344d0bb18e 100644 --- a/lib/l10n/th_TH.php +++ b/lib/l10n/th_TH.php @@ -10,7 +10,6 @@ $TRANSLATIONS = array( "Files need to be downloaded one by one." => "ไฟล์สามารถดาวน์โหลดได้ทีละครั้งเท่านั้น", "Back to Files" => "กลับไปที่ไฟล์", "Selected files too large to generate zip file." => "ไฟล์ที่เลือกมีขนาดใหญ่เกินกว่าที่จะสร้างเป็นไฟล์ zip", -"couldn't be determined" => "ไม่สามารถกำหนดได้", "Application is not enabled" => "แอพพลิเคชั่นดังกล่าวยังไม่ได้เปิดใช้งาน", "Authentication error" => "เกิดข้อผิดพลาดในสิทธิ์การเข้าใช้งาน", "Token expired. Please reload page." => "รหัสยืนยันความถูกต้องหมดอายุแล้ว กรุณาโหลดหน้าเว็บใหม่อีกครั้ง", diff --git a/lib/l10n/tr.php b/lib/l10n/tr.php index f95933645da..498469ea8b1 100644 --- a/lib/l10n/tr.php +++ b/lib/l10n/tr.php @@ -13,7 +13,6 @@ $TRANSLATIONS = array( "Back to Files" => "Dosyalara dön", "Selected files too large to generate zip file." => "Seçilen dosyalar bir zip dosyası oluşturmak için fazla büyüktür.", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "Dosyaları ayrı ayrı, küçük parçalar halinde indirin ya da yöneticinizden yardım isteyin. ", -"couldn't be determined" => "tespit edilemedi", "Application is not enabled" => "Uygulama etkinleştirilmedi", "Authentication error" => "Kimlik doğrulama hatası", "Token expired. Please reload page." => "Jetonun süresi geçti. Lütfen sayfayı yenileyin.", diff --git a/lib/l10n/uk.php b/lib/l10n/uk.php index 26617396e06..c1513c5bb79 100644 --- a/lib/l10n/uk.php +++ b/lib/l10n/uk.php @@ -10,7 +10,6 @@ $TRANSLATIONS = array( "Files need to be downloaded one by one." => "Файли повинні бути завантаженні послідовно.", "Back to Files" => "Повернутися до файлів", "Selected files too large to generate zip file." => "Вибрані фали завеликі для генерування zip файлу.", -"couldn't be determined" => "не може бути визначено", "Application is not enabled" => "Додаток не увімкнений", "Authentication error" => "Помилка автентифікації", "Token expired. Please reload page." => "Строк дії токена скінчився. Будь ласка, перезавантажте сторінку.", diff --git a/lib/l10n/vi.php b/lib/l10n/vi.php index ebdb3ab2810..dc0045c35ca 100644 --- a/lib/l10n/vi.php +++ b/lib/l10n/vi.php @@ -10,7 +10,6 @@ $TRANSLATIONS = array( "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", "Selected files too large to generate zip file." => "Tập tin được chọn quá lớn để tạo tập tin ZIP.", -"couldn't be determined" => "không thể phát hiện được", "Application is not enabled" => "Ứng dụng không được BẬT", "Authentication error" => "Lỗi xác thực", "Token expired. Please reload page." => "Mã Token đã hết hạn. Hãy tải lại trang.", diff --git a/lib/l10n/zh_CN.php b/lib/l10n/zh_CN.php index b814b055a22..03bd48de74b 100644 --- a/lib/l10n/zh_CN.php +++ b/lib/l10n/zh_CN.php @@ -10,7 +10,6 @@ $TRANSLATIONS = array( "Files need to be downloaded one by one." => "需要逐一下载文件", "Back to Files" => "回到文件", "Selected files too large to generate zip file." => "选择的文件太大,无法生成 zip 文件。", -"couldn't be determined" => "无法确定", "Application is not enabled" => "应用程序未启用", "Authentication error" => "认证出错", "Token expired. Please reload page." => "Token 过期,请刷新页面。", @@ -38,7 +37,7 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "您的Web服务器尚未正确设置以允许文件同步, 因为WebDAV的接口似乎已损坏.", "Please double check the installation guides." => "请认真检查安装指南.", "seconds ago" => "秒前", -"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n minute ago_::_%n minutes ago_" => array("%n 分钟前"), "_%n hour ago_::_%n hours ago_" => array(""), "today" => "今天", "yesterday" => "昨天", diff --git a/lib/l10n/zh_TW.php b/lib/l10n/zh_TW.php index 83e0dff3926..f405eb88ae9 100644 --- a/lib/l10n/zh_TW.php +++ b/lib/l10n/zh_TW.php @@ -10,7 +10,6 @@ $TRANSLATIONS = array( "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." => "Token 過期,請重新整理頁面。", diff --git a/settings/l10n/ar.php b/settings/l10n/ar.php index 423c9cec666..97fcc6fd182 100644 --- a/settings/l10n/ar.php +++ b/settings/l10n/ar.php @@ -90,6 +90,7 @@ $TRANSLATIONS = array( "Language" => "اللغة", "Help translate" => "ساعد في الترجمه", "WebDAV" => "WebDAV", +"Encryption" => "التشفير", "Login Name" => "اسم الدخول", "Create" => "انشئ", "Default Storage" => "وحدة التخزين الافتراضية", diff --git a/settings/l10n/bn_BD.php b/settings/l10n/bn_BD.php index c679fcef8a2..6145c187ce3 100644 --- a/settings/l10n/bn_BD.php +++ b/settings/l10n/bn_BD.php @@ -54,6 +54,7 @@ $TRANSLATIONS = array( "Language" => "ভাষা", "Help translate" => "অনুবাদ করতে সহায়তা করুন", "WebDAV" => "WebDAV", +"Encryption" => "সংকেতায়ন", "Create" => "তৈরী কর", "Default Storage" => "পূর্বনির্ধারিত সংরক্ষণাগার", "Unlimited" => "অসীম", diff --git a/settings/l10n/cs_CZ.php b/settings/l10n/cs_CZ.php index 68c2f42c529..051a6a1b74f 100644 --- a/settings/l10n/cs_CZ.php +++ b/settings/l10n/cs_CZ.php @@ -102,6 +102,7 @@ $TRANSLATIONS = array( "Help translate" => "Pomoci s překladem", "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Použijte tuto adresu pro přístup k vašim souborům přes WebDAV", +"Encryption" => "Šifrování", "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 a36c6bb61fd..b26f968f42f 100644 --- a/settings/l10n/da.php +++ b/settings/l10n/da.php @@ -102,6 +102,7 @@ $TRANSLATIONS = array( "Help translate" => "Hjælp med oversættelsen", "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Anvend denne adresse til at tilgå dine filer via WebDAV", +"Encryption" => "Kryptering", "Login Name" => "Loginnavn", "Create" => "Ny", "Admin Recovery Password" => "Administrator gendannelse kodeord", diff --git a/settings/l10n/de_DE.php b/settings/l10n/de_DE.php index 3faa8858e8e..2347d60de4d 100644 --- a/settings/l10n/de_DE.php +++ b/settings/l10n/de_DE.php @@ -102,6 +102,7 @@ $TRANSLATIONS = array( "Help translate" => "Helfen Sie bei der Übersetzung", "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Verwenden Sie diese Adresse, um auf ihre Dateien per WebDAV zuzugreifen.", +"Encryption" => "Verschlüsselung", "Login Name" => "Loginname", "Create" => "Erstellen", "Admin Recovery Password" => "Admin-Passwort-Wiederherstellung", diff --git a/settings/l10n/eo.php b/settings/l10n/eo.php index 7cda89f4965..693db4710de 100644 --- a/settings/l10n/eo.php +++ b/settings/l10n/eo.php @@ -68,6 +68,7 @@ $TRANSLATIONS = array( "Language" => "Lingvo", "Help translate" => "Helpu traduki", "WebDAV" => "WebDAV", +"Encryption" => "Ĉifrado", "Create" => "Krei", "Default Storage" => "Defaŭlta konservejo", "Unlimited" => "Senlima", diff --git a/settings/l10n/es.php b/settings/l10n/es.php index ad8b198e1ad..9f214c54808 100644 --- a/settings/l10n/es.php +++ b/settings/l10n/es.php @@ -102,6 +102,7 @@ $TRANSLATIONS = array( "Help translate" => "Ayúdnos a traducir", "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Utilice esta dirección paraacceder a sus archivos a través de WebDAV", +"Encryption" => "Cifrado", "Login Name" => "Nombre de usuario", "Create" => "Crear", "Admin Recovery Password" => "Recuperación de la contraseña de administración", diff --git a/settings/l10n/et_EE.php b/settings/l10n/et_EE.php index 0f0947fa5b8..a78b9b50e89 100644 --- a/settings/l10n/et_EE.php +++ b/settings/l10n/et_EE.php @@ -102,6 +102,7 @@ $TRANSLATIONS = array( "Help translate" => "Aita tõlkida", "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Kasuta seda aadressi oma failidele ligipääsuks WebDAV kaudu", +"Encryption" => "Krüpteerimine", "Login Name" => "Kasutajanimi", "Create" => "Lisa", "Admin Recovery Password" => "Admin taasteparool", diff --git a/settings/l10n/eu.php b/settings/l10n/eu.php index 4b6c13127b7..73ca1338a57 100644 --- a/settings/l10n/eu.php +++ b/settings/l10n/eu.php @@ -99,6 +99,7 @@ $TRANSLATIONS = array( "Help translate" => "Lagundu itzultzen", "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "helbidea erabili zure fitxategiak WebDAV bidez eskuratzeko", +"Encryption" => "Enkriptazioa", "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 5d478bc4939..2fd79235549 100644 --- a/settings/l10n/fa.php +++ b/settings/l10n/fa.php @@ -92,6 +92,7 @@ $TRANSLATIONS = array( "Help translate" => "به ترجمه آن کمک کنید", "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "استفاده ابن آدرس برای دسترسی فایل های شما از طریق WebDAV ", +"Encryption" => "رمزگذاری", "Login Name" => "نام کاربری", "Create" => "ایجاد کردن", "Admin Recovery Password" => "مدیریت بازیابی رمز عبور", diff --git a/settings/l10n/fi_FI.php b/settings/l10n/fi_FI.php index 61d0a51bf92..d388c13ee71 100644 --- a/settings/l10n/fi_FI.php +++ b/settings/l10n/fi_FI.php @@ -87,6 +87,7 @@ $TRANSLATIONS = array( "Help translate" => "Auta kääntämisessä", "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Käytä tätä osoitetta päästäksesi käsiksi tiedostoihisi WebDAVin kautta", +"Encryption" => "Salaus", "Login Name" => "Kirjautumisnimi", "Create" => "Luo", "Default Storage" => "Oletustallennustila", diff --git a/settings/l10n/fr.php b/settings/l10n/fr.php index 1c64b01f566..3e1f5ddb5ef 100644 --- a/settings/l10n/fr.php +++ b/settings/l10n/fr.php @@ -92,6 +92,7 @@ $TRANSLATIONS = array( "Help translate" => "Aidez à traduire", "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Utilisez cette adresse pour accéder à vos fichiers via WebDAV", +"Encryption" => "Chiffrement", "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/he.php b/settings/l10n/he.php index b82e5a9b3e4..c8ef28a261b 100644 --- a/settings/l10n/he.php +++ b/settings/l10n/he.php @@ -89,6 +89,7 @@ $TRANSLATIONS = array( "Language" => "פה", "Help translate" => "עזרה בתרגום", "WebDAV" => "WebDAV", +"Encryption" => "הצפנה", "Login Name" => "שם כניסה", "Create" => "יצירה", "Admin Recovery Password" => "ססמת השחזור של המנהל", diff --git a/settings/l10n/id.php b/settings/l10n/id.php index 6c3ad8b3e77..abc19560d37 100644 --- a/settings/l10n/id.php +++ b/settings/l10n/id.php @@ -90,6 +90,7 @@ $TRANSLATIONS = array( "Language" => "Bahasa", "Help translate" => "Bantu menerjemahkan", "WebDAV" => "WebDAV", +"Encryption" => "Enkripsi", "Login Name" => "Nama Masuk", "Create" => "Buat", "Default Storage" => "Penyimpanan Baku", diff --git a/settings/l10n/is.php b/settings/l10n/is.php index 2e97650bdb8..f803da8756d 100644 --- a/settings/l10n/is.php +++ b/settings/l10n/is.php @@ -58,6 +58,7 @@ $TRANSLATIONS = array( "Language" => "Tungumál", "Help translate" => "Hjálpa við þýðingu", "WebDAV" => "WebDAV", +"Encryption" => "Dulkóðun", "Create" => "Búa til", "Default Storage" => "Sjálfgefin gagnageymsla", "Unlimited" => "Ótakmarkað", diff --git a/settings/l10n/it.php b/settings/l10n/it.php index b6a508ba46b..003fc5c7bb1 100644 --- a/settings/l10n/it.php +++ b/settings/l10n/it.php @@ -102,6 +102,7 @@ $TRANSLATIONS = array( "Help translate" => "Migliora la traduzione", "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Utilizza questo indirizzo per accedere ai tuoi file via WebDAV", +"Encryption" => "Cifratura", "Login Name" => "Nome utente", "Create" => "Crea", "Admin Recovery Password" => "Password di ripristino amministrativa", diff --git a/settings/l10n/ko.php b/settings/l10n/ko.php index 4473a2c5126..0f8f80537f1 100644 --- a/settings/l10n/ko.php +++ b/settings/l10n/ko.php @@ -91,6 +91,7 @@ $TRANSLATIONS = array( "Language" => "언어", "Help translate" => "번역 돕기", "WebDAV" => "WebDAV", +"Encryption" => "암호화", "Login Name" => "로그인 이름", "Create" => "만들기", "Admin Recovery Password" => "관리자 복구 암호", diff --git a/settings/l10n/ku_IQ.php b/settings/l10n/ku_IQ.php index 4be8f212d39..956df725a77 100644 --- a/settings/l10n/ku_IQ.php +++ b/settings/l10n/ku_IQ.php @@ -7,6 +7,7 @@ $TRANSLATIONS = array( "Password" => "وشەی تێپەربو", "New password" => "وشەی نهێنی نوێ", "Email" => "ئیمه‌یل", +"Encryption" => "نهێنیکردن", "Username" => "ناوی به‌کارهێنه‌ر" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/settings/l10n/lv.php b/settings/l10n/lv.php index eba0f3c89ab..57b9f654c19 100644 --- a/settings/l10n/lv.php +++ b/settings/l10n/lv.php @@ -2,6 +2,7 @@ $TRANSLATIONS = array( "Unable to load list from App Store" => "Nevar lejupielādēt sarakstu no lietotņu veikala", "Authentication error" => "Autentifikācijas kļūda", +"Your display name has been changed." => "Jūsu redzamais vārds ir mainīts.", "Unable to change display name" => "Nevarēja mainīt redzamo vārdu", "Group already exists" => "Grupa jau eksistē", "Unable to add group" => "Nevar pievienot grupu", @@ -37,25 +38,35 @@ $TRANSLATIONS = array( "A valid password must be provided" => "Jānorāda derīga parole", "__language_name__" => "__valodas_nosaukums__", "Security Warning" => "Brīdinājums par drošību", +"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." => "Jūsu datu direktorija un faili visticamāk ir pieejami no interneta. .htaccess fails nedarbojas. Ir rekomendēts konfigurēt serveri tā lai jūsu datu direktorija nav lasāma vai pārvietot to ārpus tīmekļa servera dokumentu mapes.", "Setup Warning" => "Iestatīšanas brīdinājums", "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Jūsu serveris vēl nav pareizi iestatīts, lai ļautu sinhronizēt datnes, jo izskatās, ka WebDAV saskarne ir salauzta.", +"Please double check the installation guides." => "Lūdzu kārtīgi izlasiet uzstādīšanas norādījumus.", "Module 'fileinfo' missing" => "Trūkst modulis “fileinfo”", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with mime-type detection." => "Trūkst PHP modulis “fileinfo”. Mēs iesakām to aktivēt, lai pēc iespējas labāk noteiktu mime tipus.", "Locale not working" => "Lokāle nestrādā", +"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." => "Sistēmas lokalizāciju nevar nomainīt uz %s. Tas nozīmē ka var rasties sarežģījumi ar dažu burtu attēlošanu failu nosaukumos. Ir rekomendēts uzstādīt nepieciešamās pakotnes lai atbalstītu %s lokalizāciju.", "Internet connection not working" => "Interneta savienojums nedarbojas", +"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." => "Šim serverim nav savienojums ar internetu. Tas nozīmē ka nebūs tādas iespējas kā ārējo datu nesēju montēšana, paziņojumi par atjauninājumiem vai citu izstrādātāju programmu uzstādīšana. Attālināta failu piekļuve vai paziņojumu epastu sūtīšana iespējams arī nedarbosies. Ir rekomendēts iespējot interneta savienojumu lai gūtu iespēju izmantotu visus risinājumus.", "Cron" => "Cron", "Execute one task with each page loaded" => "Izpildīt vienu uzdevumu ar katru ielādēto lapu", +"cron.php is registered at a webcron service to call cron.php once a minute over http." => "cron.php ir reģistrēts webcron servisā lai izsauktu cron.php vienreiz minūtē caur http.", +"Use systems cron service to call the cron.php file once a minute." => "Izmantojiet sistēmas cron servisu lai izsauktu cron.php reizi minūtē.", "Sharing" => "Dalīšanās", "Enable Share API" => "Aktivēt koplietošanas API", "Allow apps to use the Share API" => "Ļauj lietotnēm izmantot koplietošanas API", "Allow links" => "Atļaut saites", "Allow users to share items to the public with links" => "Ļaut lietotājiem publiski dalīties ar vienumiem, izmantojot saites", +"Allow public uploads" => "Atļaut publisko augšupielādi", +"Allow users to enable others to upload into their publicly shared folders" => "Ļaut lietotājiem iespējot atļaut citiem augšupielādēt failus viņu publiskajās mapēs", "Allow resharing" => "Atļaut atkārtotu koplietošanu", "Allow users to share items shared with them again" => "Ļaut lietotājiem dalīties ar vienumiem atkārtoti", "Allow users to share with anyone" => "Ļaut lietotājiem dalīties ar visiem", "Allow users to only share with users in their groups" => "Ļaut lietotājiem dalīties ar lietotājiem to grupās", "Security" => "Drošība", "Enforce HTTPS" => "Uzspiest HTTPS", +"Forces the clients to connect to %s via an encrypted connection." => "Uzspiest klientiem pieslēgties pie %s caur šifrētu savienojumu.", +"Please connect to your %s via HTTPS to enable or disable the SSL enforcement." => "Lūdzu slēdzieties pie %s caur HTTPS lai iespējotu vai atspējotu SSL izpildīšanu", "Log" => "Žurnāls", "Log level" => "Žurnāla līmenis", "More" => "Vairāk", @@ -90,8 +101,11 @@ $TRANSLATIONS = array( "Language" => "Valoda", "Help translate" => "Palīdzi tulkot", "WebDAV" => "WebDAV", +"Use this address to access your Files via WebDAV" => "Lietojiet šo adresi lai piekļūtu saviem failiem ar WebDAV", "Login Name" => "Ierakstīšanās vārds", "Create" => "Izveidot", +"Admin Recovery Password" => "Administratora atgūšanas parole", +"Enter the recovery password in order to recover the users files during password change" => "Ievadiet atgūšanas paroli, lai varētu atgūt lietotāja failus paroles maiņas laikā.", "Default Storage" => "Noklusējuma krātuve", "Unlimited" => "Neierobežota", "Other" => "Cits", diff --git a/settings/l10n/mk.php b/settings/l10n/mk.php index 61f1b8b3bcd..9d74b69ccd1 100644 --- a/settings/l10n/mk.php +++ b/settings/l10n/mk.php @@ -54,6 +54,7 @@ $TRANSLATIONS = array( "Language" => "Јазик", "Help translate" => "Помогни во преводот", "WebDAV" => "WebDAV", +"Encryption" => "Енкрипција", "Create" => "Создај", "Other" => "Останато", "Username" => "Корисничко име" diff --git a/settings/l10n/nb_NO.php b/settings/l10n/nb_NO.php index 9048d89bad1..a31c6e0cd7f 100644 --- a/settings/l10n/nb_NO.php +++ b/settings/l10n/nb_NO.php @@ -92,6 +92,7 @@ $TRANSLATIONS = array( "Help translate" => "Bidra til oversettelsen", "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Bruk denne adressen for å få tilgang til filene dine via WebDAV", +"Encryption" => "Kryptering", "Login Name" => "Logginn navn", "Create" => "Opprett", "Default Storage" => "Standard lager", diff --git a/settings/l10n/nl.php b/settings/l10n/nl.php index 67ddafdc3c5..2b0d4011f48 100644 --- a/settings/l10n/nl.php +++ b/settings/l10n/nl.php @@ -38,13 +38,16 @@ $TRANSLATIONS = array( "A valid password must be provided" => "Er moet een geldig wachtwoord worden opgegeven", "__language_name__" => "Nederlands", "Security Warning" => "Beveiligingswaarschuwing", +"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." => "Uw data folder en uw bestanden zijn waarschijnlijk vanaf het internet bereikbaar. Het .htaccess-bestand werkt niet. We raden ten zeerste aan aan om uw webserver zodanig te configureren, dat de datamap niet bereikbaar is vanaf het internet of om uw datamap te verplaatsen naar een locatie buiten de document root van de webserver.", "Setup Warning" => "Instellingswaarschuwing", "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Uw webserver is nog niet goed ingesteld voor bestandssynchronisatie omdat de WebDAV interface verbroken lijkt.", "Please double check the installation guides." => "Conntroleer de installatie handleiding goed.", "Module 'fileinfo' missing" => "Module 'fileinfo' ontbreekt", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with mime-type detection." => "De PHP module 'fileinfo' ontbreekt. We adviseren met klem om deze module te activeren om de beste resultaten te bereiken voor mime-type detectie.", "Locale not working" => "Taalbestand werkt niet", +"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." => "De systeemtaal kan niet worden ingesteld op %s. Hierdoor kunnen er problemen optreden met bepaalde karakters in bestandsnamen. Het wordt sterk aangeraden om de vereiste pakketen op uw systeem te installeren, zodat %s ondersteund wordt.", "Internet connection not working" => "Internet verbinding werkt niet", +"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." => "Deze server heeft geen actieve internetverbinding. Dat betekent dat sommige functies, zoals aankoppelen van externe opslag, notificaties over updates of installatie van apps van 3e partijen niet werken. Ook het benaderen van bestanden vanaf een remote locatie en het versturen van notificatie emails kan mislukken. We adviseren om de internetverbinding voor deze server in te schakelen als u alle functies wilt gebruiken.", "Cron" => "Cron", "Execute one task with each page loaded" => "Bij laden van elke pagina één taak uitvoeren", "cron.php is registered at a webcron service to call cron.php once a minute over http." => "cron.php is geregistreerd bij een webcron service om cron.php eens per minuut aan te roepen via http.", @@ -99,6 +102,7 @@ $TRANSLATIONS = array( "Help translate" => "Help met vertalen", "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Gebruik dit adres toegang tot uw bestanden via WebDAV", +"Encryption" => "Versleuteling", "Login Name" => "Inlognaam", "Create" => "Creëer", "Admin Recovery Password" => "Beheer herstel wachtwoord", diff --git a/settings/l10n/ro.php b/settings/l10n/ro.php index 0b30001e8c1..839ddf645f8 100644 --- a/settings/l10n/ro.php +++ b/settings/l10n/ro.php @@ -88,6 +88,7 @@ $TRANSLATIONS = array( "Language" => "Limba", "Help translate" => "Ajută la traducere", "WebDAV" => "WebDAV", +"Encryption" => "Încriptare", "Create" => "Crează", "Default Storage" => "Stocare implicită", "Unlimited" => "Nelimitată", diff --git a/settings/l10n/ru.php b/settings/l10n/ru.php index c58fafbf27a..16f8f67481e 100644 --- a/settings/l10n/ru.php +++ b/settings/l10n/ru.php @@ -102,6 +102,7 @@ $TRANSLATIONS = array( "Help translate" => "Помочь с переводом", "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Используйте этот адрес чтобы получить доступ к вашим файлам через WebDav - ", +"Encryption" => "Шифрование", "Login Name" => "Имя пользователя", "Create" => "Создать", "Admin Recovery Password" => "Восстановление Пароля Администратора", diff --git a/settings/l10n/si_LK.php b/settings/l10n/si_LK.php index 374990a2c0c..c45d67daa74 100644 --- a/settings/l10n/si_LK.php +++ b/settings/l10n/si_LK.php @@ -46,6 +46,7 @@ $TRANSLATIONS = array( "Fill in an email address to enable password recovery" => "මුරපද ප්‍රතිස්ථාපනය සඳහා විද්‍යුත් තැපැල් විස්තර ලබා දෙන්න", "Language" => "භාෂාව", "Help translate" => "පරිවර්ථන සහය", +"Encryption" => "ගුප්ත කේතනය", "Create" => "තනන්න", "Other" => "වෙනත්", "Username" => "පරිශීලක නම" diff --git a/settings/l10n/sk_SK.php b/settings/l10n/sk_SK.php index ad602ee860f..b0a270a65ec 100644 --- a/settings/l10n/sk_SK.php +++ b/settings/l10n/sk_SK.php @@ -92,6 +92,7 @@ $TRANSLATIONS = array( "Help translate" => "Pomôcť s prekladom", "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Použite túto adresu pre prístup k súborom cez WebDAV", +"Encryption" => "Šifrovanie", "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 5ad921201b6..eaf975048ce 100644 --- a/settings/l10n/sl.php +++ b/settings/l10n/sl.php @@ -91,6 +91,7 @@ $TRANSLATIONS = array( "Language" => "Jezik", "Help translate" => "Sodelujte pri prevajanju", "WebDAV" => "WebDAV", +"Encryption" => "Šifriranje", "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 b2b6538c4c3..86872df36c5 100644 --- a/settings/l10n/sr.php +++ b/settings/l10n/sr.php @@ -89,6 +89,7 @@ $TRANSLATIONS = array( "Language" => "Језик", "Help translate" => " Помозите у превођењу", "WebDAV" => "WebDAV", +"Encryption" => "Шифровање", "Login Name" => "Корисничко име", "Create" => "Направи", "Default Storage" => "Подразумевано складиште", diff --git a/settings/l10n/sv.php b/settings/l10n/sv.php index ad1660e25c9..cea9e2da4dc 100644 --- a/settings/l10n/sv.php +++ b/settings/l10n/sv.php @@ -102,6 +102,7 @@ $TRANSLATIONS = array( "Help translate" => "Hjälp att översätta", "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Använd denna adress för att komma åt dina filer via WebDAV", +"Encryption" => "Kryptering", "Login Name" => "Inloggningsnamn", "Create" => "Skapa", "Admin Recovery Password" => "Admin återställningslösenord", diff --git a/settings/l10n/ta_LK.php b/settings/l10n/ta_LK.php index 0dc206c7993..e65feedbc95 100644 --- a/settings/l10n/ta_LK.php +++ b/settings/l10n/ta_LK.php @@ -44,6 +44,7 @@ $TRANSLATIONS = array( "Fill in an email address to enable password recovery" => "கடவுச்சொல் மீள் பெறுவதை இயலுமைப்படுத்துவதற்கு மின்னஞ்சல் முகவரியை இயலுமைப்படுத்துக", "Language" => "மொழி", "Help translate" => "மொழிபெயர்க்க உதவி", +"Encryption" => "மறைக்குறியீடு", "Create" => "உருவாக்குக", "Other" => "மற்றவை", "Username" => "பயனாளர் பெயர்" diff --git a/settings/l10n/ug.php b/settings/l10n/ug.php index d182d9198de..2c5e1a6786c 100644 --- a/settings/l10n/ug.php +++ b/settings/l10n/ug.php @@ -60,6 +60,7 @@ $TRANSLATIONS = array( "Language" => "تىل", "Help translate" => "تەرجىمىگە ياردەم", "WebDAV" => "WebDAV", +"Encryption" => "شىفىرلاش", "Login Name" => "تىزىمغا كىرىش ئاتى", "Create" => "قۇر", "Default Storage" => "كۆڭۈلدىكى ساقلىغۇچ", diff --git a/settings/l10n/uk.php b/settings/l10n/uk.php index c6a9ab28624..e58a8b7139c 100644 --- a/settings/l10n/uk.php +++ b/settings/l10n/uk.php @@ -90,6 +90,7 @@ $TRANSLATIONS = array( "Language" => "Мова", "Help translate" => "Допомогти з перекладом", "WebDAV" => "WebDAV", +"Encryption" => "Шифрування", "Login Name" => "Ім'я Логіну", "Create" => "Створити", "Default Storage" => "сховище за замовчуванням", diff --git a/settings/l10n/vi.php b/settings/l10n/vi.php index 4607229b4d9..832001a02a7 100644 --- a/settings/l10n/vi.php +++ b/settings/l10n/vi.php @@ -76,6 +76,7 @@ $TRANSLATIONS = array( "Language" => "Ngôn ngữ", "Help translate" => "Hỗ trợ dịch thuật", "WebDAV" => "WebDAV", +"Encryption" => "Mã hóa", "Login Name" => "Tên đăng nhập", "Create" => "Tạo", "Default Storage" => "Bộ nhớ mặc định", diff --git a/settings/l10n/zh_CN.php b/settings/l10n/zh_CN.php index 5a42bf06754..385c77645cd 100644 --- a/settings/l10n/zh_CN.php +++ b/settings/l10n/zh_CN.php @@ -38,25 +38,35 @@ $TRANSLATIONS = array( "A valid password must be provided" => "必须提供合法的密码", "__language_name__" => "简体中文", "Security Warning" => "安全警告", +"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." => "您的数据文件夹和文件可由互联网访问。OwnCloud提供的.htaccess文件未生效。我们强烈建议您配置服务器,以使数据文件夹不可被访问,或者将数据文件夹移到web服务器以外。", "Setup Warning" => "设置警告", "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "您的Web服务器尚未正确设置以允许文件同步, 因为WebDAV的接口似乎已损坏.", +"Please double check the installation guides." => "请认真检查安装指南.", "Module 'fileinfo' missing" => "模块'文件信息'丢失", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with mime-type detection." => "PHP模块'文件信息'丢失. 我们强烈建议启用此模块以便mime类型检测取得最佳结果.", "Locale not working" => "本地化无法工作", +"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." => "服务器无法设置系统本地化到%s. 这意味着可能文件名中有一些字符会引起问题. 我们强烈建议在你系统上安装所需的软件包来支持%s", "Internet connection not working" => "因特网连接无法工作", +"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." => "此服务器上没有可用的因特网连接. 这意味着某些特性将无法工作,例如挂载外部存储器, 提醒更新或安装第三方应用等. 从远程访问文件和发送提醒电子邮件也可能无法工作. 如果你想要ownCloud的所有特性, 我们建议启用此服务器的因特网连接.", "Cron" => "计划任务", "Execute one task with each page loaded" => "每个页面加载后执行一个任务", +"cron.php is registered at a webcron service to call cron.php once a minute over http." => "cron.php已被注册到网络定时任务服务。通过http每分钟调用owncloud根目录的cron.php网页。", +"Use systems cron service to call the cron.php file once a minute." => "使用系统定时任务服务。每分钟通过系统定时任务调用owncloud文件夹中的cron.php文件", "Sharing" => "共享", "Enable Share API" => "启用共享API", "Allow apps to use the Share API" => "允许应用软件使用共享API", "Allow links" => "允许链接", "Allow users to share items to the public with links" => "允许用户使用连接公开共享项目", +"Allow public uploads" => "允许公开上传", +"Allow users to enable others to upload into their publicly shared folders" => "用户可让其他人上传到他的公开共享文件夹", "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", +"Forces the clients to connect to %s via an encrypted connection." => "强制客户端通过加密连接连接到%s。", +"Please connect to your %s via HTTPS to enable or disable the SSL enforcement." => "请经由HTTPS连接到这个%s 实例来启用或禁用强制SSL.", "Log" => "日志", "Log level" => "日志级别", "More" => "更多", @@ -91,6 +101,8 @@ $TRANSLATIONS = array( "Language" => "语言", "Help translate" => "帮助翻译", "WebDAV" => "WebDAV", +"Use this address to access your Files via WebDAV" => "使用该链接 通过WebDAV访问你的文件", +"Encryption" => "加密", "Login Name" => "登录名称", "Create" => "创建", "Admin Recovery Password" => "管理恢复密码", diff --git a/settings/l10n/zh_TW.php b/settings/l10n/zh_TW.php index 0a0fcf84e2d..7c1a8963cca 100644 --- a/settings/l10n/zh_TW.php +++ b/settings/l10n/zh_TW.php @@ -102,6 +102,7 @@ $TRANSLATIONS = array( "Help translate" => "幫助翻譯", "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "使用這個網址來透過 WebDAV 存取您的檔案", +"Encryption" => "加密", "Login Name" => "登入名稱", "Create" => "建立", "Admin Recovery Password" => "管理者復原密碼", -- GitLab From 9753e44ac2352d181417dfea2781f5d4df5f7b47 Mon Sep 17 00:00:00 2001 From: Andreas Fischer Date: Wed, 21 Aug 2013 10:52:22 +0200 Subject: [PATCH 310/415] Do not use realpath() on includes. If the file does not exist, realpath() returns false and "include false;" produces "Failed opening '' for inclusion" which is a useless error message. 'include' works just fine with symlinks, "./" and "../". --- apps/files_encryption/lib/crypt.php | 2 +- apps/files_encryption/tests/crypt.php | 20 ++++++++++---------- apps/files_encryption/tests/keymanager.php | 18 +++++++++--------- apps/files_encryption/tests/share.php | 20 ++++++++++---------- apps/files_encryption/tests/stream.php | 16 ++++++++-------- apps/files_encryption/tests/trashbin.php | 18 +++++++++--------- apps/files_encryption/tests/util.php | 14 +++++++------- apps/files_encryption/tests/webdav.php | 16 ++++++++-------- 8 files changed, 62 insertions(+), 62 deletions(-) diff --git a/apps/files_encryption/lib/crypt.php b/apps/files_encryption/lib/crypt.php index 3947b7d0c3b..47801252bbd 100755 --- a/apps/files_encryption/lib/crypt.php +++ b/apps/files_encryption/lib/crypt.php @@ -25,7 +25,7 @@ namespace OCA\Encryption; -require_once realpath(dirname(__FILE__) . '/../3rdparty/Crypt_Blowfish/Blowfish.php'); +require_once dirname(__FILE__) . '/../3rdparty/Crypt_Blowfish/Blowfish.php'; /** * Class for common cryptography functionality diff --git a/apps/files_encryption/tests/crypt.php b/apps/files_encryption/tests/crypt.php index 2330a45be84..a4bb3054efe 100755 --- a/apps/files_encryption/tests/crypt.php +++ b/apps/files_encryption/tests/crypt.php @@ -7,16 +7,16 @@ * See the COPYING-README file. */ -require_once realpath(dirname(__FILE__) . '/../3rdparty/Crypt_Blowfish/Blowfish.php'); -require_once realpath(dirname(__FILE__) . '/../../../lib/base.php'); -require_once realpath(dirname(__FILE__) . '/../lib/crypt.php'); -require_once realpath(dirname(__FILE__) . '/../lib/keymanager.php'); -require_once realpath(dirname(__FILE__) . '/../lib/proxy.php'); -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'); +require_once dirname(__FILE__) . '/../3rdparty/Crypt_Blowfish/Blowfish.php'; +require_once dirname(__FILE__) . '/../../../lib/base.php'; +require_once dirname(__FILE__) . '/../lib/crypt.php'; +require_once dirname(__FILE__) . '/../lib/keymanager.php'; +require_once dirname(__FILE__) . '/../lib/proxy.php'; +require_once dirname(__FILE__) . '/../lib/stream.php'; +require_once dirname(__FILE__) . '/../lib/util.php'; +require_once dirname(__FILE__) . '/../lib/helper.php'; +require_once dirname(__FILE__) . '/../appinfo/app.php'; +require_once dirname(__FILE__) . '/util.php'; use OCA\Encryption; diff --git a/apps/files_encryption/tests/keymanager.php b/apps/files_encryption/tests/keymanager.php index 13f8c3197c7..6e8b7f2ff0a 100644 --- a/apps/files_encryption/tests/keymanager.php +++ b/apps/files_encryption/tests/keymanager.php @@ -6,15 +6,15 @@ * See the COPYING-README file. */ -require_once realpath(dirname(__FILE__) . '/../../../lib/base.php'); -require_once realpath(dirname(__FILE__) . '/../lib/crypt.php'); -require_once realpath(dirname(__FILE__) . '/../lib/keymanager.php'); -require_once realpath(dirname(__FILE__) . '/../lib/proxy.php'); -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'); +require_once dirname(__FILE__) . '/../../../lib/base.php'; +require_once dirname(__FILE__) . '/../lib/crypt.php'; +require_once dirname(__FILE__) . '/../lib/keymanager.php'; +require_once dirname(__FILE__) . '/../lib/proxy.php'; +require_once dirname(__FILE__) . '/../lib/stream.php'; +require_once dirname(__FILE__) . '/../lib/util.php'; +require_once dirname(__FILE__) . '/../lib/helper.php'; +require_once dirname(__FILE__) . '/../appinfo/app.php'; +require_once dirname(__FILE__) . '/util.php'; use OCA\Encryption; diff --git a/apps/files_encryption/tests/share.php b/apps/files_encryption/tests/share.php index 5f3d5005090..7f68ecd388a 100755 --- a/apps/files_encryption/tests/share.php +++ b/apps/files_encryption/tests/share.php @@ -20,16 +20,16 @@ * */ -require_once realpath(dirname(__FILE__) . '/../3rdparty/Crypt_Blowfish/Blowfish.php'); -require_once realpath(dirname(__FILE__) . '/../../../lib/base.php'); -require_once realpath(dirname(__FILE__) . '/../lib/crypt.php'); -require_once realpath(dirname(__FILE__) . '/../lib/keymanager.php'); -require_once realpath(dirname(__FILE__) . '/../lib/proxy.php'); -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'); +require_once dirname(__FILE__) . '/../3rdparty/Crypt_Blowfish/Blowfish.php'; +require_once dirname(__FILE__) . '/../../../lib/base.php'; +require_once dirname(__FILE__) . '/../lib/crypt.php'; +require_once dirname(__FILE__) . '/../lib/keymanager.php'; +require_once dirname(__FILE__) . '/../lib/proxy.php'; +require_once dirname(__FILE__) . '/../lib/stream.php'; +require_once dirname(__FILE__) . '/../lib/util.php'; +require_once dirname(__FILE__) . '/../lib/helper.php'; +require_once dirname(__FILE__) . '/../appinfo/app.php'; +require_once dirname(__FILE__) . '/util.php'; use OCA\Encryption; diff --git a/apps/files_encryption/tests/stream.php b/apps/files_encryption/tests/stream.php index 50ac41e4536..adc0d1959a0 100644 --- a/apps/files_encryption/tests/stream.php +++ b/apps/files_encryption/tests/stream.php @@ -20,14 +20,14 @@ * */ -require_once realpath(dirname(__FILE__) . '/../../../lib/base.php'); -require_once realpath(dirname(__FILE__) . '/../lib/crypt.php'); -require_once realpath(dirname(__FILE__) . '/../lib/keymanager.php'); -require_once realpath(dirname(__FILE__) . '/../lib/proxy.php'); -require_once realpath(dirname(__FILE__) . '/../lib/stream.php'); -require_once realpath(dirname(__FILE__) . '/../lib/util.php'); -require_once realpath(dirname(__FILE__) . '/../appinfo/app.php'); -require_once realpath(dirname(__FILE__) . '/util.php'); +require_once dirname(__FILE__) . '/../../../lib/base.php'; +require_once dirname(__FILE__) . '/../lib/crypt.php'; +require_once dirname(__FILE__) . '/../lib/keymanager.php'; +require_once dirname(__FILE__) . '/../lib/proxy.php'; +require_once dirname(__FILE__) . '/../lib/stream.php'; +require_once dirname(__FILE__) . '/../lib/util.php'; +require_once dirname(__FILE__) . '/../appinfo/app.php'; +require_once dirname(__FILE__) . '/util.php'; use OCA\Encryption; diff --git a/apps/files_encryption/tests/trashbin.php b/apps/files_encryption/tests/trashbin.php index ade968fbece..55ec94782eb 100755 --- a/apps/files_encryption/tests/trashbin.php +++ b/apps/files_encryption/tests/trashbin.php @@ -20,15 +20,15 @@ * */ -require_once realpath(dirname(__FILE__) . '/../../../lib/base.php'); -require_once realpath(dirname(__FILE__) . '/../lib/crypt.php'); -require_once realpath(dirname(__FILE__) . '/../lib/keymanager.php'); -require_once realpath(dirname(__FILE__) . '/../lib/proxy.php'); -require_once realpath(dirname(__FILE__) . '/../lib/stream.php'); -require_once realpath(dirname(__FILE__) . '/../lib/util.php'); -require_once realpath(dirname(__FILE__) . '/../appinfo/app.php'); -require_once realpath(dirname(__FILE__) . '/../../files_trashbin/appinfo/app.php'); -require_once realpath(dirname(__FILE__) . '/util.php'); +require_once dirname(__FILE__) . '/../../../lib/base.php'; +require_once dirname(__FILE__) . '/../lib/crypt.php'; +require_once dirname(__FILE__) . '/../lib/keymanager.php'; +require_once dirname(__FILE__) . '/../lib/proxy.php'; +require_once dirname(__FILE__) . '/../lib/stream.php'; +require_once dirname(__FILE__) . '/../lib/util.php'; +require_once dirname(__FILE__) . '/../appinfo/app.php'; +require_once dirname(__FILE__) . '/../../files_trashbin/appinfo/app.php'; +require_once dirname(__FILE__) . '/util.php'; use OCA\Encryption; diff --git a/apps/files_encryption/tests/util.php b/apps/files_encryption/tests/util.php index 368b7b3dc3f..7f80de59338 100755 --- a/apps/files_encryption/tests/util.php +++ b/apps/files_encryption/tests/util.php @@ -6,13 +6,13 @@ * See the COPYING-README file. */ -require_once realpath(dirname(__FILE__) . '/../../../lib/base.php'); -require_once realpath(dirname(__FILE__) . '/../lib/crypt.php'); -require_once realpath(dirname(__FILE__) . '/../lib/keymanager.php'); -require_once realpath(dirname(__FILE__) . '/../lib/proxy.php'); -require_once realpath(dirname(__FILE__) . '/../lib/stream.php'); -require_once realpath(dirname(__FILE__) . '/../lib/util.php'); -require_once realpath(dirname(__FILE__) . '/../appinfo/app.php'); +require_once dirname(__FILE__) . '/../../../lib/base.php'; +require_once dirname(__FILE__) . '/../lib/crypt.php'; +require_once dirname(__FILE__) . '/../lib/keymanager.php'; +require_once dirname(__FILE__) . '/../lib/proxy.php'; +require_once dirname(__FILE__) . '/../lib/stream.php'; +require_once dirname(__FILE__) . '/../lib/util.php'; +require_once dirname(__FILE__) . '/../appinfo/app.php'; use OCA\Encryption; diff --git a/apps/files_encryption/tests/webdav.php b/apps/files_encryption/tests/webdav.php index 1d406789f0c..b72f6816951 100755 --- a/apps/files_encryption/tests/webdav.php +++ b/apps/files_encryption/tests/webdav.php @@ -20,14 +20,14 @@ * */ -require_once realpath(dirname(__FILE__) . '/../../../lib/base.php'); -require_once realpath(dirname(__FILE__) . '/../lib/crypt.php'); -require_once realpath(dirname(__FILE__) . '/../lib/keymanager.php'); -require_once realpath(dirname(__FILE__) . '/../lib/proxy.php'); -require_once realpath(dirname(__FILE__) . '/../lib/stream.php'); -require_once realpath(dirname(__FILE__) . '/../lib/util.php'); -require_once realpath(dirname(__FILE__) . '/../appinfo/app.php'); -require_once realpath(dirname(__FILE__) . '/util.php'); +require_once dirname(__FILE__) . '/../../../lib/base.php'; +require_once dirname(__FILE__) . '/../lib/crypt.php'; +require_once dirname(__FILE__) . '/../lib/keymanager.php'; +require_once dirname(__FILE__) . '/../lib/proxy.php'; +require_once dirname(__FILE__) . '/../lib/stream.php'; +require_once dirname(__FILE__) . '/../lib/util.php'; +require_once dirname(__FILE__) . '/../appinfo/app.php'; +require_once dirname(__FILE__) . '/util.php'; use OCA\Encryption; -- GitLab From 85ac9572ce4f43d1a87dfdfd898b17493f9f8539 Mon Sep 17 00:00:00 2001 From: Andreas Fischer Date: Wed, 21 Aug 2013 10:53:18 +0200 Subject: [PATCH 311/415] Also remove other unnecessary realpath() calls. --- apps/files_encryption/tests/crypt.php | 10 +++++----- apps/files_encryption/tests/keymanager.php | 8 ++++---- apps/files_encryption/tests/util.php | 10 +++++----- 3 files changed, 14 insertions(+), 14 deletions(-) diff --git a/apps/files_encryption/tests/crypt.php b/apps/files_encryption/tests/crypt.php index a4bb3054efe..188606ee1c5 100755 --- a/apps/files_encryption/tests/crypt.php +++ b/apps/files_encryption/tests/crypt.php @@ -67,12 +67,12 @@ class Test_Encryption_Crypt extends \PHPUnit_Framework_TestCase { $this->pass = \Test_Encryption_Crypt::TEST_ENCRYPTION_CRYPT_USER1; // set content for encrypting / decrypting in tests - $this->dataLong = file_get_contents(realpath(dirname(__FILE__) . '/../lib/crypt.php')); + $this->dataLong = file_get_contents(dirname(__FILE__) . '/../lib/crypt.php'); $this->dataShort = 'hats'; - $this->dataUrl = realpath(dirname(__FILE__) . '/../lib/crypt.php'); - $this->legacyData = realpath(dirname(__FILE__) . '/legacy-text.txt'); - $this->legacyEncryptedData = realpath(dirname(__FILE__) . '/legacy-encrypted-text.txt'); - $this->legacyEncryptedDataKey = realpath(dirname(__FILE__) . '/encryption.key'); + $this->dataUrl = dirname(__FILE__) . '/../lib/crypt.php'; + $this->legacyData = dirname(__FILE__) . '/legacy-text.txt'; + $this->legacyEncryptedData = dirname(__FILE__) . '/legacy-encrypted-text.txt'; + $this->legacyEncryptedDataKey = dirname(__FILE__) . '/encryption.key'; $this->randomKey = Encryption\Crypt::generateKey(); $keypair = Encryption\Crypt::createKeypair(); diff --git a/apps/files_encryption/tests/keymanager.php b/apps/files_encryption/tests/keymanager.php index 6e8b7f2ff0a..308cdd40327 100644 --- a/apps/files_encryption/tests/keymanager.php +++ b/apps/files_encryption/tests/keymanager.php @@ -57,11 +57,11 @@ class Test_Encryption_Keymanager extends \PHPUnit_Framework_TestCase { function setUp() { // set content for encrypting / decrypting in tests - $this->dataLong = file_get_contents(realpath(dirname(__FILE__) . '/../lib/crypt.php')); + $this->dataLong = file_get_contents(dirname(__FILE__) . '/../lib/crypt.php'); $this->dataShort = 'hats'; - $this->dataUrl = realpath(dirname(__FILE__) . '/../lib/crypt.php'); - $this->legacyData = realpath(dirname(__FILE__) . '/legacy-text.txt'); - $this->legacyEncryptedData = realpath(dirname(__FILE__) . '/legacy-encrypted-text.txt'); + $this->dataUrl = dirname(__FILE__) . '/../lib/crypt.php'; + $this->legacyData = dirname(__FILE__) . '/legacy-text.txt'; + $this->legacyEncryptedData = dirname(__FILE__) . '/legacy-encrypted-text.txt'; $this->randomKey = Encryption\Crypt::generateKey(); $keypair = Encryption\Crypt::createKeypair(); diff --git a/apps/files_encryption/tests/util.php b/apps/files_encryption/tests/util.php index 7f80de59338..8a00c51d5b6 100755 --- a/apps/files_encryption/tests/util.php +++ b/apps/files_encryption/tests/util.php @@ -69,12 +69,12 @@ class Test_Encryption_Util extends \PHPUnit_Framework_TestCase { $this->pass = \Test_Encryption_Util::TEST_ENCRYPTION_UTIL_USER1; // set content for encrypting / decrypting in tests - $this->dataUrl = realpath(dirname(__FILE__) . '/../lib/crypt.php'); + $this->dataUrl = dirname(__FILE__) . '/../lib/crypt.php'; $this->dataShort = 'hats'; - $this->dataLong = file_get_contents(realpath(dirname(__FILE__) . '/../lib/crypt.php')); - $this->legacyData = realpath(dirname(__FILE__) . '/legacy-text.txt'); - $this->legacyEncryptedData = realpath(dirname(__FILE__) . '/legacy-encrypted-text.txt'); - $this->legacyEncryptedDataKey = realpath(dirname(__FILE__) . '/encryption.key'); + $this->dataLong = file_get_contents(dirname(__FILE__) . '/../lib/crypt.php'); + $this->legacyData = dirname(__FILE__) . '/legacy-text.txt'; + $this->legacyEncryptedData = dirname(__FILE__) . '/legacy-encrypted-text.txt'; + $this->legacyEncryptedDataKey = dirname(__FILE__) . '/encryption.key'; $this->legacyKey = "30943623843030686906\0\0\0\0"; $keypair = Encryption\Crypt::createKeypair(); -- GitLab From 83afb46205ef9b2235a4b978beed44267d3e6c81 Mon Sep 17 00:00:00 2001 From: Andreas Fischer Date: Wed, 21 Aug 2013 10:59:31 +0200 Subject: [PATCH 312/415] Use __DIR__ instead of dirname(__FILE__). This is possible because we require PHP 5.3 or higher. --- apps/files_encryption/lib/crypt.php | 2 +- apps/files_encryption/tests/crypt.php | 30 +++++++++++----------- apps/files_encryption/tests/keymanager.php | 26 +++++++++---------- apps/files_encryption/tests/share.php | 20 +++++++-------- apps/files_encryption/tests/stream.php | 16 ++++++------ apps/files_encryption/tests/trashbin.php | 18 ++++++------- apps/files_encryption/tests/util.php | 24 ++++++++--------- apps/files_encryption/tests/webdav.php | 16 ++++++------ 8 files changed, 76 insertions(+), 76 deletions(-) diff --git a/apps/files_encryption/lib/crypt.php b/apps/files_encryption/lib/crypt.php index 47801252bbd..e129bc9313e 100755 --- a/apps/files_encryption/lib/crypt.php +++ b/apps/files_encryption/lib/crypt.php @@ -25,7 +25,7 @@ namespace OCA\Encryption; -require_once dirname(__FILE__) . '/../3rdparty/Crypt_Blowfish/Blowfish.php'; +require_once __DIR__ . '/../3rdparty/Crypt_Blowfish/Blowfish.php'; /** * Class for common cryptography functionality diff --git a/apps/files_encryption/tests/crypt.php b/apps/files_encryption/tests/crypt.php index 188606ee1c5..f73647d8af5 100755 --- a/apps/files_encryption/tests/crypt.php +++ b/apps/files_encryption/tests/crypt.php @@ -7,16 +7,16 @@ * See the COPYING-README file. */ -require_once dirname(__FILE__) . '/../3rdparty/Crypt_Blowfish/Blowfish.php'; -require_once dirname(__FILE__) . '/../../../lib/base.php'; -require_once dirname(__FILE__) . '/../lib/crypt.php'; -require_once dirname(__FILE__) . '/../lib/keymanager.php'; -require_once dirname(__FILE__) . '/../lib/proxy.php'; -require_once dirname(__FILE__) . '/../lib/stream.php'; -require_once dirname(__FILE__) . '/../lib/util.php'; -require_once dirname(__FILE__) . '/../lib/helper.php'; -require_once dirname(__FILE__) . '/../appinfo/app.php'; -require_once dirname(__FILE__) . '/util.php'; +require_once __DIR__ . '/../3rdparty/Crypt_Blowfish/Blowfish.php'; +require_once __DIR__ . '/../../../lib/base.php'; +require_once __DIR__ . '/../lib/crypt.php'; +require_once __DIR__ . '/../lib/keymanager.php'; +require_once __DIR__ . '/../lib/proxy.php'; +require_once __DIR__ . '/../lib/stream.php'; +require_once __DIR__ . '/../lib/util.php'; +require_once __DIR__ . '/../lib/helper.php'; +require_once __DIR__ . '/../appinfo/app.php'; +require_once __DIR__ . '/util.php'; use OCA\Encryption; @@ -67,12 +67,12 @@ class Test_Encryption_Crypt extends \PHPUnit_Framework_TestCase { $this->pass = \Test_Encryption_Crypt::TEST_ENCRYPTION_CRYPT_USER1; // set content for encrypting / decrypting in tests - $this->dataLong = file_get_contents(dirname(__FILE__) . '/../lib/crypt.php'); + $this->dataLong = file_get_contents(__DIR__ . '/../lib/crypt.php'); $this->dataShort = 'hats'; - $this->dataUrl = dirname(__FILE__) . '/../lib/crypt.php'; - $this->legacyData = dirname(__FILE__) . '/legacy-text.txt'; - $this->legacyEncryptedData = dirname(__FILE__) . '/legacy-encrypted-text.txt'; - $this->legacyEncryptedDataKey = dirname(__FILE__) . '/encryption.key'; + $this->dataUrl = __DIR__ . '/../lib/crypt.php'; + $this->legacyData = __DIR__ . '/legacy-text.txt'; + $this->legacyEncryptedData = __DIR__ . '/legacy-encrypted-text.txt'; + $this->legacyEncryptedDataKey = __DIR__ . '/encryption.key'; $this->randomKey = Encryption\Crypt::generateKey(); $keypair = Encryption\Crypt::createKeypair(); diff --git a/apps/files_encryption/tests/keymanager.php b/apps/files_encryption/tests/keymanager.php index 308cdd40327..0fe9ce9ed59 100644 --- a/apps/files_encryption/tests/keymanager.php +++ b/apps/files_encryption/tests/keymanager.php @@ -6,15 +6,15 @@ * See the COPYING-README file. */ -require_once dirname(__FILE__) . '/../../../lib/base.php'; -require_once dirname(__FILE__) . '/../lib/crypt.php'; -require_once dirname(__FILE__) . '/../lib/keymanager.php'; -require_once dirname(__FILE__) . '/../lib/proxy.php'; -require_once dirname(__FILE__) . '/../lib/stream.php'; -require_once dirname(__FILE__) . '/../lib/util.php'; -require_once dirname(__FILE__) . '/../lib/helper.php'; -require_once dirname(__FILE__) . '/../appinfo/app.php'; -require_once dirname(__FILE__) . '/util.php'; +require_once __DIR__ . '/../../../lib/base.php'; +require_once __DIR__ . '/../lib/crypt.php'; +require_once __DIR__ . '/../lib/keymanager.php'; +require_once __DIR__ . '/../lib/proxy.php'; +require_once __DIR__ . '/../lib/stream.php'; +require_once __DIR__ . '/../lib/util.php'; +require_once __DIR__ . '/../lib/helper.php'; +require_once __DIR__ . '/../appinfo/app.php'; +require_once __DIR__ . '/util.php'; use OCA\Encryption; @@ -57,11 +57,11 @@ class Test_Encryption_Keymanager extends \PHPUnit_Framework_TestCase { function setUp() { // set content for encrypting / decrypting in tests - $this->dataLong = file_get_contents(dirname(__FILE__) . '/../lib/crypt.php'); + $this->dataLong = file_get_contents(__DIR__ . '/../lib/crypt.php'); $this->dataShort = 'hats'; - $this->dataUrl = dirname(__FILE__) . '/../lib/crypt.php'; - $this->legacyData = dirname(__FILE__) . '/legacy-text.txt'; - $this->legacyEncryptedData = dirname(__FILE__) . '/legacy-encrypted-text.txt'; + $this->dataUrl = __DIR__ . '/../lib/crypt.php'; + $this->legacyData = __DIR__ . '/legacy-text.txt'; + $this->legacyEncryptedData = __DIR__ . '/legacy-encrypted-text.txt'; $this->randomKey = Encryption\Crypt::generateKey(); $keypair = Encryption\Crypt::createKeypair(); diff --git a/apps/files_encryption/tests/share.php b/apps/files_encryption/tests/share.php index 7f68ecd388a..bc3f93ff701 100755 --- a/apps/files_encryption/tests/share.php +++ b/apps/files_encryption/tests/share.php @@ -20,16 +20,16 @@ * */ -require_once dirname(__FILE__) . '/../3rdparty/Crypt_Blowfish/Blowfish.php'; -require_once dirname(__FILE__) . '/../../../lib/base.php'; -require_once dirname(__FILE__) . '/../lib/crypt.php'; -require_once dirname(__FILE__) . '/../lib/keymanager.php'; -require_once dirname(__FILE__) . '/../lib/proxy.php'; -require_once dirname(__FILE__) . '/../lib/stream.php'; -require_once dirname(__FILE__) . '/../lib/util.php'; -require_once dirname(__FILE__) . '/../lib/helper.php'; -require_once dirname(__FILE__) . '/../appinfo/app.php'; -require_once dirname(__FILE__) . '/util.php'; +require_once __DIR__ . '/../3rdparty/Crypt_Blowfish/Blowfish.php'; +require_once __DIR__ . '/../../../lib/base.php'; +require_once __DIR__ . '/../lib/crypt.php'; +require_once __DIR__ . '/../lib/keymanager.php'; +require_once __DIR__ . '/../lib/proxy.php'; +require_once __DIR__ . '/../lib/stream.php'; +require_once __DIR__ . '/../lib/util.php'; +require_once __DIR__ . '/../lib/helper.php'; +require_once __DIR__ . '/../appinfo/app.php'; +require_once __DIR__ . '/util.php'; use OCA\Encryption; diff --git a/apps/files_encryption/tests/stream.php b/apps/files_encryption/tests/stream.php index adc0d1959a0..3095d50613c 100644 --- a/apps/files_encryption/tests/stream.php +++ b/apps/files_encryption/tests/stream.php @@ -20,14 +20,14 @@ * */ -require_once dirname(__FILE__) . '/../../../lib/base.php'; -require_once dirname(__FILE__) . '/../lib/crypt.php'; -require_once dirname(__FILE__) . '/../lib/keymanager.php'; -require_once dirname(__FILE__) . '/../lib/proxy.php'; -require_once dirname(__FILE__) . '/../lib/stream.php'; -require_once dirname(__FILE__) . '/../lib/util.php'; -require_once dirname(__FILE__) . '/../appinfo/app.php'; -require_once dirname(__FILE__) . '/util.php'; +require_once __DIR__ . '/../../../lib/base.php'; +require_once __DIR__ . '/../lib/crypt.php'; +require_once __DIR__ . '/../lib/keymanager.php'; +require_once __DIR__ . '/../lib/proxy.php'; +require_once __DIR__ . '/../lib/stream.php'; +require_once __DIR__ . '/../lib/util.php'; +require_once __DIR__ . '/../appinfo/app.php'; +require_once __DIR__ . '/util.php'; use OCA\Encryption; diff --git a/apps/files_encryption/tests/trashbin.php b/apps/files_encryption/tests/trashbin.php index 55ec94782eb..e33add74829 100755 --- a/apps/files_encryption/tests/trashbin.php +++ b/apps/files_encryption/tests/trashbin.php @@ -20,15 +20,15 @@ * */ -require_once dirname(__FILE__) . '/../../../lib/base.php'; -require_once dirname(__FILE__) . '/../lib/crypt.php'; -require_once dirname(__FILE__) . '/../lib/keymanager.php'; -require_once dirname(__FILE__) . '/../lib/proxy.php'; -require_once dirname(__FILE__) . '/../lib/stream.php'; -require_once dirname(__FILE__) . '/../lib/util.php'; -require_once dirname(__FILE__) . '/../appinfo/app.php'; -require_once dirname(__FILE__) . '/../../files_trashbin/appinfo/app.php'; -require_once dirname(__FILE__) . '/util.php'; +require_once __DIR__ . '/../../../lib/base.php'; +require_once __DIR__ . '/../lib/crypt.php'; +require_once __DIR__ . '/../lib/keymanager.php'; +require_once __DIR__ . '/../lib/proxy.php'; +require_once __DIR__ . '/../lib/stream.php'; +require_once __DIR__ . '/../lib/util.php'; +require_once __DIR__ . '/../appinfo/app.php'; +require_once __DIR__ . '/../../files_trashbin/appinfo/app.php'; +require_once __DIR__ . '/util.php'; use OCA\Encryption; diff --git a/apps/files_encryption/tests/util.php b/apps/files_encryption/tests/util.php index 8a00c51d5b6..eddc4c6b3ff 100755 --- a/apps/files_encryption/tests/util.php +++ b/apps/files_encryption/tests/util.php @@ -6,13 +6,13 @@ * See the COPYING-README file. */ -require_once dirname(__FILE__) . '/../../../lib/base.php'; -require_once dirname(__FILE__) . '/../lib/crypt.php'; -require_once dirname(__FILE__) . '/../lib/keymanager.php'; -require_once dirname(__FILE__) . '/../lib/proxy.php'; -require_once dirname(__FILE__) . '/../lib/stream.php'; -require_once dirname(__FILE__) . '/../lib/util.php'; -require_once dirname(__FILE__) . '/../appinfo/app.php'; +require_once __DIR__ . '/../../../lib/base.php'; +require_once __DIR__ . '/../lib/crypt.php'; +require_once __DIR__ . '/../lib/keymanager.php'; +require_once __DIR__ . '/../lib/proxy.php'; +require_once __DIR__ . '/../lib/stream.php'; +require_once __DIR__ . '/../lib/util.php'; +require_once __DIR__ . '/../appinfo/app.php'; use OCA\Encryption; @@ -69,12 +69,12 @@ class Test_Encryption_Util extends \PHPUnit_Framework_TestCase { $this->pass = \Test_Encryption_Util::TEST_ENCRYPTION_UTIL_USER1; // set content for encrypting / decrypting in tests - $this->dataUrl = dirname(__FILE__) . '/../lib/crypt.php'; + $this->dataUrl = __DIR__ . '/../lib/crypt.php'; $this->dataShort = 'hats'; - $this->dataLong = file_get_contents(dirname(__FILE__) . '/../lib/crypt.php'); - $this->legacyData = dirname(__FILE__) . '/legacy-text.txt'; - $this->legacyEncryptedData = dirname(__FILE__) . '/legacy-encrypted-text.txt'; - $this->legacyEncryptedDataKey = dirname(__FILE__) . '/encryption.key'; + $this->dataLong = file_get_contents(__DIR__ . '/../lib/crypt.php'); + $this->legacyData = __DIR__ . '/legacy-text.txt'; + $this->legacyEncryptedData = __DIR__ . '/legacy-encrypted-text.txt'; + $this->legacyEncryptedDataKey = __DIR__ . '/encryption.key'; $this->legacyKey = "30943623843030686906\0\0\0\0"; $keypair = Encryption\Crypt::createKeypair(); diff --git a/apps/files_encryption/tests/webdav.php b/apps/files_encryption/tests/webdav.php index b72f6816951..5c2f87b145d 100755 --- a/apps/files_encryption/tests/webdav.php +++ b/apps/files_encryption/tests/webdav.php @@ -20,14 +20,14 @@ * */ -require_once dirname(__FILE__) . '/../../../lib/base.php'; -require_once dirname(__FILE__) . '/../lib/crypt.php'; -require_once dirname(__FILE__) . '/../lib/keymanager.php'; -require_once dirname(__FILE__) . '/../lib/proxy.php'; -require_once dirname(__FILE__) . '/../lib/stream.php'; -require_once dirname(__FILE__) . '/../lib/util.php'; -require_once dirname(__FILE__) . '/../appinfo/app.php'; -require_once dirname(__FILE__) . '/util.php'; +require_once __DIR__ . '/../../../lib/base.php'; +require_once __DIR__ . '/../lib/crypt.php'; +require_once __DIR__ . '/../lib/keymanager.php'; +require_once __DIR__ . '/../lib/proxy.php'; +require_once __DIR__ . '/../lib/stream.php'; +require_once __DIR__ . '/../lib/util.php'; +require_once __DIR__ . '/../appinfo/app.php'; +require_once __DIR__ . '/util.php'; use OCA\Encryption; -- GitLab From a89199cc7bd19f6ba3e76fcd510219b2bd930ae6 Mon Sep 17 00:00:00 2001 From: Jenkins for ownCloud Date: Wed, 21 Aug 2013 08:14:27 -0400 Subject: [PATCH 313/415] [tx-robot] updated from transifex --- apps/files/l10n/cs_CZ.php | 1 + apps/files/l10n/da.php | 1 + apps/files/l10n/de.php | 1 + apps/files/l10n/de_DE.php | 1 + apps/files/l10n/gl.php | 1 + apps/files/l10n/ja_JP.php | 1 + apps/files/l10n/nl.php | 1 + apps/files/l10n/sk_SK.php | 7 +++-- apps/files/l10n/sv.php | 1 + apps/files_trashbin/l10n/sk_SK.php | 4 +-- apps/user_ldap/l10n/cs_CZ.php | 4 +++ apps/user_ldap/l10n/de.php | 4 +++ apps/user_ldap/l10n/de_DE.php | 4 +++ apps/user_ldap/l10n/gl.php | 4 +++ apps/user_ldap/l10n/ja_JP.php | 4 +++ core/l10n/sk_SK.php | 10 +++--- l10n/ar/files_encryption.po | 10 +++--- l10n/ar/settings.po | 16 +++++----- l10n/bg_BG/files_encryption.po | 10 +++--- l10n/bg_BG/settings.po | 18 +++++------ l10n/bn_BD/files_encryption.po | 10 +++--- l10n/bn_BD/settings.po | 16 +++++----- l10n/ca/files_encryption.po | 10 +++--- l10n/ca/settings.po | 18 +++++------ l10n/cs_CZ/files.po | 15 ++++----- l10n/cs_CZ/files_encryption.po | 10 +++--- l10n/cs_CZ/settings.po | 27 ++++++++-------- l10n/cs_CZ/user_ldap.po | 15 ++++----- l10n/cy_GB/files_encryption.po | 10 +++--- l10n/cy_GB/settings.po | 18 +++++------ l10n/da/files.po | 14 ++++----- l10n/da/files_encryption.po | 10 +++--- l10n/da/settings.po | 26 ++++++++-------- l10n/de/files.po | 15 ++++----- l10n/de/files_encryption.po | 10 +++--- l10n/de/settings.po | 28 ++++++++--------- l10n/de/user_ldap.po | 14 ++++----- l10n/de_CH/files_encryption.po | 10 +++--- l10n/de_CH/settings.po | 18 +++++------ l10n/de_DE/files.po | 14 ++++----- l10n/de_DE/files_encryption.po | 10 +++--- l10n/de_DE/settings.po | 26 ++++++++-------- l10n/de_DE/user_ldap.po | 15 ++++----- l10n/el/files_encryption.po | 10 +++--- l10n/el/settings.po | 18 +++++------ l10n/eo/files_encryption.po | 10 +++--- l10n/eo/settings.po | 16 +++++----- l10n/es/files_encryption.po | 10 +++--- l10n/es/settings.po | 16 +++++----- l10n/es_AR/files_encryption.po | 10 +++--- l10n/es_AR/settings.po | 18 +++++------ l10n/et_EE/files_encryption.po | 10 +++--- l10n/et_EE/settings.po | 16 +++++----- l10n/eu/files_encryption.po | 10 +++--- l10n/eu/settings.po | 16 +++++----- l10n/fa/files_encryption.po | 10 +++--- l10n/fa/settings.po | 16 +++++----- l10n/fi_FI/files_encryption.po | 10 +++--- l10n/fi_FI/settings.po | 16 +++++----- l10n/fr/files_encryption.po | 10 +++--- l10n/fr/settings.po | 16 +++++----- l10n/gl/files.po | 14 ++++----- l10n/gl/files_encryption.po | 10 +++--- l10n/gl/settings.po | 28 ++++++++--------- l10n/gl/user_ldap.po | 14 ++++----- l10n/he/files_encryption.po | 10 +++--- l10n/he/settings.po | 16 +++++----- l10n/hu_HU/files_encryption.po | 10 +++--- l10n/hu_HU/settings.po | 18 +++++------ l10n/id/files_encryption.po | 10 +++--- l10n/id/settings.po | 16 +++++----- l10n/is/files_encryption.po | 10 +++--- l10n/is/settings.po | 16 +++++----- l10n/it/files_encryption.po | 10 +++--- l10n/it/settings.po | 16 +++++----- l10n/ja_JP/files.po | 14 ++++----- l10n/ja_JP/files_encryption.po | 10 +++--- l10n/ja_JP/settings.po | 28 ++++++++--------- l10n/ja_JP/user_ldap.po | 14 ++++----- l10n/ka_GE/files_encryption.po | 10 +++--- l10n/ka_GE/settings.po | 18 +++++------ l10n/ko/files_encryption.po | 10 +++--- l10n/ko/settings.po | 16 +++++----- l10n/ku_IQ/files_encryption.po | 10 +++--- l10n/ku_IQ/settings.po | 16 +++++----- l10n/lt_LT/files_encryption.po | 10 +++--- l10n/lt_LT/settings.po | 18 +++++------ l10n/lv/files_encryption.po | 10 +++--- l10n/lv/settings.po | 18 +++++------ l10n/mk/files_encryption.po | 10 +++--- l10n/mk/settings.po | 16 +++++----- l10n/nb_NO/files_encryption.po | 10 +++--- l10n/nb_NO/settings.po | 16 +++++----- l10n/nl/files.po | 14 ++++----- l10n/nl/files_encryption.po | 10 +++--- l10n/nl/settings.po | 16 +++++----- l10n/pl/files_encryption.po | 10 +++--- l10n/pl/settings.po | 18 +++++------ l10n/pt_BR/files_encryption.po | 10 +++--- l10n/pt_BR/settings.po | 28 ++++++++--------- l10n/pt_PT/files_encryption.po | 10 +++--- l10n/pt_PT/settings.po | 18 +++++------ l10n/ro/files_encryption.po | 10 +++--- l10n/ro/settings.po | 16 +++++----- l10n/ru/files_encryption.po | 4 +-- l10n/ru/settings.po | 16 +++++----- l10n/si_LK/files_encryption.po | 10 +++--- l10n/si_LK/settings.po | 16 +++++----- l10n/sk_SK/core.po | 44 +++++++++++++-------------- l10n/sk_SK/files.po | 32 +++++++++---------- l10n/sk_SK/files_encryption.po | 10 +++--- l10n/sk_SK/files_trashbin.po | 18 +++++------ l10n/sk_SK/lib.po | 12 ++++---- l10n/sk_SK/settings.po | 44 +++++++++++++-------------- l10n/sl/files_encryption.po | 10 +++--- l10n/sl/settings.po | 16 +++++----- l10n/sr/files_encryption.po | 10 +++--- l10n/sr/settings.po | 16 +++++----- l10n/sv/files.po | 14 ++++----- l10n/sv/files_encryption.po | 10 +++--- l10n/sv/settings.po | 26 ++++++++-------- l10n/ta_LK/files_encryption.po | 10 +++--- l10n/ta_LK/settings.po | 16 +++++----- l10n/templates/core.pot | 12 ++++---- l10n/templates/files.pot | 8 ++--- l10n/templates/files_encryption.pot | 2 +- l10n/templates/files_external.pot | 2 +- l10n/templates/files_sharing.pot | 2 +- l10n/templates/files_trashbin.pot | 2 +- l10n/templates/files_versions.pot | 2 +- l10n/templates/lib.pot | 2 +- l10n/templates/settings.pot | 14 ++++----- l10n/templates/user_ldap.pot | 2 +- l10n/templates/user_webdavauth.pot | 2 +- l10n/th_TH/files_encryption.po | 10 +++--- l10n/th_TH/settings.po | 18 +++++------ l10n/tr/files_encryption.po | 10 +++--- l10n/tr/settings.po | 18 +++++------ l10n/ug/files_encryption.po | 10 +++--- l10n/ug/settings.po | 16 +++++----- l10n/uk/files_encryption.po | 10 +++--- l10n/uk/settings.po | 16 +++++----- l10n/vi/files_encryption.po | 10 +++--- l10n/vi/settings.po | 16 +++++----- l10n/zh_CN.GB2312/files_encryption.po | 10 +++--- l10n/zh_CN.GB2312/settings.po | 18 +++++------ l10n/zh_CN/files_encryption.po | 10 +++--- l10n/zh_CN/settings.po | 16 +++++----- l10n/zh_HK/files_encryption.po | 10 +++--- l10n/zh_HK/settings.po | 18 +++++------ l10n/zh_TW/files_encryption.po | 10 +++--- l10n/zh_TW/settings.po | 16 +++++----- lib/l10n/sk_SK.php | 8 ++--- settings/l10n/bg_BG.php | 1 + settings/l10n/ca.php | 1 + settings/l10n/cs_CZ.php | 4 +++ settings/l10n/cy_GB.php | 1 + settings/l10n/da.php | 4 +++ settings/l10n/de.php | 5 +++ settings/l10n/de_CH.php | 1 + settings/l10n/de_DE.php | 4 +++ settings/l10n/el.php | 1 + settings/l10n/es_AR.php | 1 + settings/l10n/gl.php | 5 +++ settings/l10n/hu_HU.php | 1 + settings/l10n/ja_JP.php | 5 +++ settings/l10n/ka_GE.php | 1 + settings/l10n/lt_LT.php | 1 + settings/l10n/lv.php | 1 + settings/l10n/pl.php | 1 + settings/l10n/pt_BR.php | 5 +++ settings/l10n/pt_PT.php | 1 + settings/l10n/sk_SK.php | 13 ++++++++ settings/l10n/sv.php | 4 +++ settings/l10n/th_TH.php | 1 + settings/l10n/tr.php | 1 + settings/l10n/zh_CN.GB2312.php | 1 + settings/l10n/zh_HK.php | 1 + 178 files changed, 1056 insertions(+), 955 deletions(-) diff --git a/apps/files/l10n/cs_CZ.php b/apps/files/l10n/cs_CZ.php index a2131c2d20a..1f766de7cf6 100644 --- a/apps/files/l10n/cs_CZ.php +++ b/apps/files/l10n/cs_CZ.php @@ -39,6 +39,7 @@ $TRANSLATIONS = array( "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Neplatný název, znaky '\\', '/', '<', '>', ':', '\"', '|', '?' a '*' nejsou povoleny.", "Your storage is full, files can not be updated or synced anymore!" => "Vaše úložiště je plné, nelze aktualizovat ani synchronizovat soubory.", "Your storage is almost full ({usedSpacePercent}%)" => "Vaše úložiště je téměř plné ({usedSpacePercent}%)", +"Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "Šifrování bylo zrušeno, soubory jsou však stále zašifrované. Běžte prosím do osobního nastavení, kde si složky odšifrujete.", "Your download is being prepared. This might take some time if the files are big." => "Vaše soubory ke stažení se připravují. Pokud jsou velké, může to chvíli trvat.", "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Neplatný název složky. Pojmenování 'Shared' je rezervováno pro vnitřní potřeby ownCloud", "Name" => "Název", diff --git a/apps/files/l10n/da.php b/apps/files/l10n/da.php index 0491eefb7f4..22ca4b0d7b4 100644 --- a/apps/files/l10n/da.php +++ b/apps/files/l10n/da.php @@ -39,6 +39,7 @@ $TRANSLATIONS = array( "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Ugyldigt navn, '\\', '/', '<', '>', ':' | '?', '\"', '', og '*' er ikke tilladt.", "Your storage is full, files can not be updated or synced anymore!" => "Din opbevaringsplads er fyldt op, filer kan ikke opdateres eller synkroniseres længere!", "Your storage is almost full ({usedSpacePercent}%)" => "Din opbevaringsplads er næsten fyldt op ({usedSpacePercent}%)", +"Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "Krypteringen blev deaktiveret, men dine filer er stadig krypteret. Gå venligst til dine personlige indstillinger for at dekryptere dine filer. ", "Your download is being prepared. This might take some time if the files are big." => "Dit download forberedes. Dette kan tage lidt tid ved større filer.", "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Ugyldigt mappenavn. Brug af \"Shared\" er forbeholdt Owncloud", "Name" => "Navn", diff --git a/apps/files/l10n/de.php b/apps/files/l10n/de.php index c6c76dbf464..c41d2fb5c16 100644 --- a/apps/files/l10n/de.php +++ b/apps/files/l10n/de.php @@ -39,6 +39,7 @@ $TRANSLATIONS = array( "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Ungültiger Name, '\\', '/', '<', '>', ':', '\"', '|', '?' und '*' sind nicht zulässig.", "Your storage is full, files can not be updated or synced anymore!" => "Dein Speicher ist voll, daher können keine Dateien mehr aktualisiert oder synchronisiert werden!", "Your storage is almost full ({usedSpacePercent}%)" => "Dein Speicher ist fast voll ({usedSpacePercent}%)", +"Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "Die Verschlüsselung wurde deaktiviert, jedoch sind deine Dateien nach wie vor verschlüsselt. Bitte gehe zu deinen persönlichen Einstellungen, um deine Dateien zu entschlüsseln.", "Your download is being prepared. This might take some time if the files are big." => "Dein Download wird vorbereitet. Dies kann bei größeren Dateien etwas dauern.", "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Ungültiger Verzeichnisname. Die Nutzung von \"Shared\" ist ownCloud vorbehalten.", "Name" => "Name", diff --git a/apps/files/l10n/de_DE.php b/apps/files/l10n/de_DE.php index e4d622d6caa..6d4bf8a4e72 100644 --- a/apps/files/l10n/de_DE.php +++ b/apps/files/l10n/de_DE.php @@ -39,6 +39,7 @@ $TRANSLATIONS = array( "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Ungültiger Name, '\\', '/', '<', '>', ':', '\"', '|', '?' und '*' sind nicht zulässig.", "Your storage is full, files can not be updated or synced anymore!" => "Ihr Speicher ist voll, daher können keine Dateien mehr aktualisiert oder synchronisiert werden!", "Your storage is almost full ({usedSpacePercent}%)" => "Ihr Speicher ist fast voll ({usedSpacePercent}%)", +"Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "Die Verschlüsselung wurde deaktiviert, jedoch sind Ihre Dateien nach wie vor verschlüsselt. Bitte gehen Sie zu Ihren persönlichen Einstellungen, um Ihre Dateien zu entschlüsseln.", "Your download is being prepared. This might take some time if the files are big." => "Ihr Download wird vorbereitet. Dies kann bei größeren Dateien etwas dauern.", "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Ungültiger Verzeichnisname. Die Nutzung von \"Shared\" ist ownCloud vorbehalten", "Name" => "Name", diff --git a/apps/files/l10n/gl.php b/apps/files/l10n/gl.php index 5c8132926bf..98274ed751a 100644 --- a/apps/files/l10n/gl.php +++ b/apps/files/l10n/gl.php @@ -39,6 +39,7 @@ $TRANSLATIONS = array( "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Nome incorrecto, non se permite «\\», «/», «<», «>», «:», «\"», «|», «?» e «*».", "Your storage is full, files can not be updated or synced anymore!" => "O seu espazo de almacenamento está cheo, non é posíbel actualizar ou sincronizar máis os ficheiros!", "Your storage is almost full ({usedSpacePercent}%)" => "O seu espazo de almacenamento está case cheo ({usedSpacePercent}%)", +"Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "O cifrado foi desactivado, mais os ficheiros están cifrados. Vaia á configuración persoal para descifrar os ficheiros.", "Your download is being prepared. This might take some time if the files are big." => "Está a prepararse a súa descarga. Isto pode levar bastante tempo se os ficheiros son grandes.", "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Nome de cartafol incorrecto. O uso de «Shared» está reservado por Owncloud", "Name" => "Nome", diff --git a/apps/files/l10n/ja_JP.php b/apps/files/l10n/ja_JP.php index 4ae46e79003..2d64212a5f2 100644 --- a/apps/files/l10n/ja_JP.php +++ b/apps/files/l10n/ja_JP.php @@ -39,6 +39,7 @@ $TRANSLATIONS = array( "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}%)", +"Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "暗号化の機能は無効化されましたが、ファイルはすでに暗号化されています。個人設定からファイルを複合を行ってください。", "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' の利用は ownCloud が予約済みです。", "Name" => "名前", diff --git a/apps/files/l10n/nl.php b/apps/files/l10n/nl.php index 5648ae9b350..6e9ff605f50 100644 --- a/apps/files/l10n/nl.php +++ b/apps/files/l10n/nl.php @@ -39,6 +39,7 @@ $TRANSLATIONS = array( "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Onjuiste naam; '\\', '/', '<', '>', ':', '\"', '|', '?' en '*' zijn niet toegestaan.", "Your storage is full, files can not be updated or synced anymore!" => "Uw opslagruimte zit vol, Bestanden kunnen niet meer worden ge-upload of gesynchroniseerd!", "Your storage is almost full ({usedSpacePercent}%)" => "Uw opslagruimte zit bijna vol ({usedSpacePercent}%)", +"Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "Encryptie is uitgeschakeld maar uw bestanden zijn nog steeds versleuteld. Ga naar uw persoonlijke instellingen om uw bestanden te decoderen.", "Your download is being prepared. This might take some time if the files are big." => "Uw download wordt voorbereid. Dit kan enige tijd duren bij grote bestanden.", "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Ongeldige mapnaam. Gebruik van'Gedeeld' is voorbehouden aan Owncloud", "Name" => "Naam", diff --git a/apps/files/l10n/sk_SK.php b/apps/files/l10n/sk_SK.php index d28368cc48f..41ff4fe25da 100644 --- a/apps/files/l10n/sk_SK.php +++ b/apps/files/l10n/sk_SK.php @@ -32,20 +32,21 @@ $TRANSLATIONS = array( "cancel" => "zrušiť", "replaced {new_name} with {old_name}" => "prepísaný {new_name} súborom {old_name}", "undo" => "vrátiť", -"_Uploading %n file_::_Uploading %n files_" => array("","",""), +"_Uploading %n file_::_Uploading %n files_" => array("Nahrávam %n súbor","Nahrávam %n súbory","Nahrávam %n súborov"), "files uploading" => "nahrávanie súborov", "'.' is an invalid file name." => "'.' je neplatné meno súboru.", "File name cannot be empty." => "Meno súboru nemôže byť prázdne", "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Nesprávne meno, '\\', '/', '<', '>', ':', '\"', '|', '?' a '*' nie sú povolené hodnoty.", "Your storage is full, files can not be updated or synced anymore!" => "Vaše úložisko je plné. Súbory nemožno aktualizovať ani synchronizovať!", "Your storage is almost full ({usedSpacePercent}%)" => "Vaše úložisko je takmer plné ({usedSpacePercent}%)", +"Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "Šifrovanie bolo zakázané, ale vaše súbory sú stále zašifrované. Prosím, choďte do osobného nastavenia pre dešifrovanie súborov.", "Your download is being prepared. This might take some time if the files are big." => "Vaše sťahovanie sa pripravuje. Ak sú sťahované súbory veľké, môže to chvíľu trvať.", "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Neplatné meno priečinka. Používanie mena 'Shared' je vyhradené len pre Owncloud", "Name" => "Názov", "Size" => "Veľkosť", "Modified" => "Upravené", -"_%n folder_::_%n folders_" => array("","",""), -"_%n file_::_%n files_" => array("","",""), +"_%n folder_::_%n folders_" => array("%n priečinok","%n priečinky","%n priečinkov"), +"_%n file_::_%n files_" => array("%n súbor","%n súbory","%n súborov"), "%s could not be renamed" => "%s nemohol byť premenovaný", "Upload" => "Odoslať", "File handling" => "Nastavenie správania sa k súborom", diff --git a/apps/files/l10n/sv.php b/apps/files/l10n/sv.php index 574dc3728af..d9010bc0f53 100644 --- a/apps/files/l10n/sv.php +++ b/apps/files/l10n/sv.php @@ -39,6 +39,7 @@ $TRANSLATIONS = array( "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Ogiltigt namn, '\\', '/', '<', '>', ':', '\"', '|', '?' och '*' är inte tillåtet.", "Your storage is full, files can not be updated or synced anymore!" => "Ditt lagringsutrymme är fullt, filer kan inte längre uppdateras eller synkroniseras!", "Your storage is almost full ({usedSpacePercent}%)" => "Ditt lagringsutrymme är nästan fullt ({usedSpacePercent}%)", +"Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "Kryptering inaktiverades men dina filer är fortfarande krypterade. Vänligen gå till sidan för dina personliga inställningar för att dekryptera dina filer.", "Your download is being prepared. This might take some time if the files are big." => "Din nedladdning förbereds. Det kan ta tid om det är stora filer.", "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Ogiltigt mappnamn. Användande av 'Shared' är reserverat av ownCloud", "Name" => "Namn", diff --git a/apps/files_trashbin/l10n/sk_SK.php b/apps/files_trashbin/l10n/sk_SK.php index 0f78da5fc3d..50fb58a44e2 100644 --- a/apps/files_trashbin/l10n/sk_SK.php +++ b/apps/files_trashbin/l10n/sk_SK.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Zmazať trvalo", "Name" => "Názov", "Deleted" => "Zmazané", -"_%n folder_::_%n folders_" => array("","",""), -"_%n file_::_%n files_" => array("","",""), +"_%n folder_::_%n folders_" => array("%n priečinok","%n priečinky","%n priečinkov"), +"_%n file_::_%n files_" => array("%n súbor","%n súbory","%n súborov"), "restored" => "obnovené", "Nothing in here. Your trash bin is empty!" => "Žiadny obsah. Kôš je prázdny!", "Restore" => "Obnoviť", diff --git a/apps/user_ldap/l10n/cs_CZ.php b/apps/user_ldap/l10n/cs_CZ.php index a5f20cbf134..9f4c31c068b 100644 --- a/apps/user_ldap/l10n/cs_CZ.php +++ b/apps/user_ldap/l10n/cs_CZ.php @@ -30,8 +30,11 @@ $TRANSLATIONS = array( "Password" => "Heslo", "For anonymous access, leave DN and Password empty." => "Pro anonymní přístup ponechte údaje DN and heslo prázdné.", "User Login Filter" => "Filtr přihlášení uživatelů", +"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action. Example: \"uid=%%uid\"" => "Určuje použitý filtr, při pokusu o přihlášení. %%uid nahrazuje uživatelské jméno v činnosti přihlášení. Příklad \"uid=%%uid\"", "User List Filter" => "Filtr seznamu uživatelů", +"Defines the filter to apply, when retrieving users (no placeholders). Example: \"objectClass=person\"" => "Určuje použitý filtr pro získávaní uživatelů (bez zástupných znaků). Příklad: \"objectClass=person\"", "Group Filter" => "Filtr skupin", +"Defines the filter to apply, when retrieving groups (no placeholders). Example: \"objectClass=posixGroup\"" => "Určuje použitý filtr, pro získávaní skupin (bez zástupných znaků). Příklad: \"objectClass=posixGroup\"", "Connection Settings" => "Nastavení spojení", "Configuration Active" => "Nastavení aktivní", "When unchecked, this configuration will be skipped." => "Pokud není zaškrtnuto, bude toto nastavení přeskočeno.", @@ -45,6 +48,7 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "Nepoužívejte v kombinaci s LDAPS spojením, nebude to fungovat.", "Case insensitve LDAP server (Windows)" => "LDAP server nerozlišující velikost znaků (Windows)", "Turn off SSL certificate validation." => "Vypnout ověřování SSL certifikátu.", +"Not recommended, use it for testing only! If connection only works with this option, import the LDAP server's SSL certificate in your %s server." => "Nedoporučuje se, určeno pouze k testovacímu použití. Pokud spojení funguje jen s touto volbou, importujte SSL certifikát vašeho LDAP serveru na server %s.", "Cache Time-To-Live" => "TTL vyrovnávací paměti", "in seconds. A change empties the cache." => "v sekundách. Změna vyprázdní vyrovnávací paměť.", "Directory Settings" => "Nastavení adresáře", diff --git a/apps/user_ldap/l10n/de.php b/apps/user_ldap/l10n/de.php index 1520cc1daa8..cb13275fafa 100644 --- a/apps/user_ldap/l10n/de.php +++ b/apps/user_ldap/l10n/de.php @@ -30,8 +30,11 @@ $TRANSLATIONS = array( "Password" => "Passwort", "For anonymous access, leave DN and Password empty." => "Lasse die Felder DN und Passwort für anonymen Zugang leer.", "User Login Filter" => "Benutzer-Login-Filter", +"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action. Example: \"uid=%%uid\"" => "Bestimmt den Filter, welcher bei einer Anmeldung angewandt wird. %%uid ersetzt den Benutzernamen bei der Anmeldung. Beispiel: \"uid=%%uid\"", "User List Filter" => "Benutzer-Filter-Liste", +"Defines the filter to apply, when retrieving users (no placeholders). Example: \"objectClass=person\"" => "Definiert den Filter für die Wiederherstellung eines Benutzers (kein Platzhalter). Beispiel: \"objectClass=person\"", "Group Filter" => "Gruppen-Filter", +"Defines the filter to apply, when retrieving groups (no placeholders). Example: \"objectClass=posixGroup\"" => "Definiert den Filter für die Wiederherstellung einer Gruppe (kein Platzhalter). Beispiel: \"objectClass=posixGroup\"", "Connection Settings" => "Verbindungseinstellungen", "Configuration Active" => "Konfiguration aktiv", "When unchecked, this configuration will be skipped." => "Konfiguration wird übersprungen wenn deaktiviert", @@ -45,6 +48,7 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "Benutze es nicht zusammen mit LDAPS Verbindungen, es wird fehlschlagen.", "Case insensitve LDAP server (Windows)" => "LDAP-Server (Windows: Groß- und Kleinschreibung bleibt unbeachtet)", "Turn off SSL certificate validation." => "Schalte die SSL-Zertifikatsprüfung aus.", +"Not recommended, use it for testing only! If connection only works with this option, import the LDAP server's SSL certificate in your %s server." => "Nur für Testzwecke geeignet, sollte Standardmäßig nicht verwendet werden. Falls die Verbindung nur mit dieser Option funktioniert, importiere das SSL-Zertifikat des LDAP-Servers in deinen %s Server.", "Cache Time-To-Live" => "Speichere Time-To-Live zwischen", "in seconds. A change empties the cache." => "in Sekunden. Eine Änderung leert den Cache.", "Directory Settings" => "Ordnereinstellungen", diff --git a/apps/user_ldap/l10n/de_DE.php b/apps/user_ldap/l10n/de_DE.php index 10648493196..677d603ffa0 100644 --- a/apps/user_ldap/l10n/de_DE.php +++ b/apps/user_ldap/l10n/de_DE.php @@ -30,8 +30,11 @@ $TRANSLATIONS = array( "Password" => "Passwort", "For anonymous access, leave DN and Password empty." => "Lassen Sie die Felder DN und Passwort für einen anonymen Zugang leer.", "User Login Filter" => "Benutzer-Login-Filter", +"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action. Example: \"uid=%%uid\"" => "Bestimmt den Filter, welcher bei einer Anmeldung angewandt wird. %%uid ersetzt den Benutzernamen bei der Anmeldung. Beispiel: \"uid=%%uid\"", "User List Filter" => "Benutzer-Filter-Liste", +"Defines the filter to apply, when retrieving users (no placeholders). Example: \"objectClass=person\"" => "Definiert den Filter für die Wiederherstellung eines Benutzers (kein Platzhalter). Beispiel: \"objectClass=person\"", "Group Filter" => "Gruppen-Filter", +"Defines the filter to apply, when retrieving groups (no placeholders). Example: \"objectClass=posixGroup\"" => "Definiert den Filter für die Wiederherstellung einer Gruppe (kein Platzhalter). Beispiel: \"objectClass=posixGroup\"", "Connection Settings" => "Verbindungseinstellungen", "Configuration Active" => "Konfiguration aktiv", "When unchecked, this configuration will be skipped." => "Wenn nicht angehakt, wird diese Konfiguration übersprungen.", @@ -45,6 +48,7 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "Benutzen Sie es nicht in Verbindung mit LDAPS Verbindungen, es wird fehlschlagen.", "Case insensitve LDAP server (Windows)" => "LDAP-Server (Windows: Groß- und Kleinschreibung bleibt unbeachtet)", "Turn off SSL certificate validation." => "Schalten Sie die SSL-Zertifikatsprüfung aus.", +"Not recommended, use it for testing only! If connection only works with this option, import the LDAP server's SSL certificate in your %s server." => "Nur für Testzwecke geeignet, sollte Standardmäßig nicht verwendet werden. Falls die Verbindung nur mit dieser Option funktioniert, importieren Sie das SSL-Zertifikat des LDAP-Servers in Ihren %s Server.", "Cache Time-To-Live" => "Speichere Time-To-Live zwischen", "in seconds. A change empties the cache." => "in Sekunden. Eine Änderung leert den Cache.", "Directory Settings" => "Ordnereinstellungen", diff --git a/apps/user_ldap/l10n/gl.php b/apps/user_ldap/l10n/gl.php index 9debcef70ac..911e481ca76 100644 --- a/apps/user_ldap/l10n/gl.php +++ b/apps/user_ldap/l10n/gl.php @@ -30,8 +30,11 @@ $TRANSLATIONS = array( "Password" => "Contrasinal", "For anonymous access, leave DN and Password empty." => "Para o acceso anónimo deixe o DN e o contrasinal baleiros.", "User Login Filter" => "Filtro de acceso de usuarios", +"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action. Example: \"uid=%%uid\"" => "Define o filtro que se aplica cando se intenta o acceso. %%uid substitúe o nome de usuario e a acción de acceso. Exemplo: «uid=%%uid»", "User List Filter" => "Filtro da lista de usuarios", +"Defines the filter to apply, when retrieving users (no placeholders). Example: \"objectClass=person\"" => "Define o filtro a aplicar cando de recuperan os usuarios (sen comodíns). Exemplo: «objectClass=person»", "Group Filter" => "Filtro de grupo", +"Defines the filter to apply, when retrieving groups (no placeholders). Example: \"objectClass=posixGroup\"" => "Define o filtro a aplicar cando de recuperan os usuarios (sen comodíns). Exemplo: «objectClass=posixGroup»", "Connection Settings" => "Axustes da conexión", "Configuration Active" => "Configuración activa", "When unchecked, this configuration will be skipped." => "Se está sen marcar, omítese esta configuración.", @@ -45,6 +48,7 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "Non utilizalo ademais para conexións LDAPS xa que fallará.", "Case insensitve LDAP server (Windows)" => "Servidor LDAP que non distingue entre maiúsculas e minúsculas (Windows)", "Turn off SSL certificate validation." => "Desactiva a validación do certificado SSL.", +"Not recommended, use it for testing only! If connection only works with this option, import the LDAP server's SSL certificate in your %s server." => "Non recomendado, utilizar só para probas! Se a conexión só funciona con esta opción importa o certificado SSL do servidor LDAP no seu servidor %s.", "Cache Time-To-Live" => "Tempo de persistencia da caché", "in seconds. A change empties the cache." => "en segundos. Calquera cambio baleira a caché.", "Directory Settings" => "Axustes do directorio", diff --git a/apps/user_ldap/l10n/ja_JP.php b/apps/user_ldap/l10n/ja_JP.php index ec0da143057..e9ef2165bb3 100644 --- a/apps/user_ldap/l10n/ja_JP.php +++ b/apps/user_ldap/l10n/ja_JP.php @@ -30,8 +30,11 @@ $TRANSLATIONS = array( "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. Example: \"uid=%%uid\"" => "ログイン実行時に適用するフィルタを定義します。%%uid にはログイン操作におけるユーザ名が入ります。例: \"uid=%%uid\"", "User List Filter" => "ユーザリストフィルタ", +"Defines the filter to apply, when retrieving users (no placeholders). Example: \"objectClass=person\"" => "ユーザ取得時に適用するフィルタを定義します(プレースホルダ無し)。例: \"objectClass=person\"", "Group Filter" => "グループフィルタ", +"Defines the filter to apply, when retrieving groups (no placeholders). Example: \"objectClass=posixGroup\"" => "グループ取得時に適用するフィルタを定義します(プレースホルダ無し)。例: \"objectClass=posixGroup\"", "Connection Settings" => "接続設定", "Configuration Active" => "設定はアクティブです", "When unchecked, this configuration will be skipped." => "チェックを外すと、この設定はスキップされます。", @@ -45,6 +48,7 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "LDAPS接続のために追加でそれを利用しないで下さい。失敗します。", "Case insensitve LDAP server (Windows)" => "大文字/小文字を区別しないLDAPサーバ(Windows)", "Turn off SSL certificate validation." => "SSL証明書の確認を無効にする。", +"Not recommended, use it for testing only! If connection only works with this option, import the LDAP server's SSL certificate in your %s server." => "推奨されません、テストにおいてのみ使用してください!このオプションでのみ接続が動作する場合は、LDAP サーバのSSL証明書を %s サーバにインポートしてください。", "Cache Time-To-Live" => "キャッシュのTTL", "in seconds. A change empties the cache." => "秒。変更後にキャッシュがクリアされます。", "Directory Settings" => "ディレクトリ設定", diff --git a/core/l10n/sk_SK.php b/core/l10n/sk_SK.php index 49c2cbb183b..5fff18e7d6f 100644 --- a/core/l10n/sk_SK.php +++ b/core/l10n/sk_SK.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "December", "Settings" => "Nastavenia", "seconds ago" => "pred sekundami", -"_%n minute ago_::_%n minutes ago_" => array("","",""), -"_%n hour ago_::_%n hours ago_" => array("","",""), +"_%n minute ago_::_%n minutes ago_" => array("pred %n minútou","pred %n minútami","pred %n minútami"), +"_%n hour ago_::_%n hours ago_" => array("pred %n hodinou","pred %n hodinami","pred %n hodinami"), "today" => "dnes", "yesterday" => "včera", -"_%n day ago_::_%n days ago_" => array("","",""), +"_%n day ago_::_%n days ago_" => array("pred %n dňom","pred %n dňami","pred %n dňami"), "last month" => "minulý mesiac", -"_%n month ago_::_%n months ago_" => array("","",""), +"_%n month ago_::_%n months ago_" => array("pred %n mesiacom","pred %n mesiacmi","pred %n mesiacmi"), "months ago" => "pred mesiacmi", "last year" => "minulý rok", "years ago" => "pred rokmi", @@ -83,6 +83,7 @@ $TRANSLATIONS = array( "Email sent" => "Email odoslaný", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Aktualizácia nebola úspešná. Problém nahláste na ownCloud community.", "The update was successful. Redirecting you to ownCloud now." => "Aktualizácia bola úspešná. Presmerovávam na prihlasovaciu stránku.", +"%s password reset" => "reset hesla %s", "Use the following link to reset your password: {link}" => "Použite nasledujúci odkaz pre obnovenie vášho hesla: {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 ." => "Odkaz na obnovenie hesla bol odoslaný na Vašu emailovú adresu.
    Ak ho v krátkej dobe neobdržíte, skontrolujte si Váš kôš a priečinok spam.
    Ak ho ani tam nenájdete, kontaktujte svojho administrátora.", "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?", @@ -125,6 +126,7 @@ $TRANSLATIONS = array( "Finish setup" => "Dokončiť inštaláciu", "%s is available. Get more information on how to update." => "%s je dostupná. Získajte viac informácií k postupu aktualizáce.", "Log out" => "Odhlásiť", +"More apps" => "Viac aplikácií", "Automatic logon rejected!" => "Automatické prihlásenie bolo zamietnuté!", "If you did not change your password recently, your account may be compromised!" => "V nedávnej dobe ste nezmenili svoje heslo, Váš účet môže byť kompromitovaný.", "Please change your password to secure your account again." => "Prosím, zmeňte svoje heslo pre opätovné zabezpečenie Vášho účtu", diff --git a/l10n/ar/files_encryption.po b/l10n/ar/files_encryption.po index 871a6b18001..9732c95e1ad 100644 --- a/l10n/ar/files_encryption.po +++ b/l10n/ar/files_encryption.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -61,18 +61,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/ar/settings.po b/l10n/ar/settings.po index e3e192efb11..b0dc71747b1 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:10+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -145,27 +145,27 @@ msgstr "تعذر حذف المستخدم" msgid "Groups" msgstr "مجموعات" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "مدير المجموعة" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "إلغاء" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "اضافة مجموعة" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "يجب ادخال اسم مستخدم صحيح" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "حصل خطأ اثناء انشاء مستخدم" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "يجب ادخال كلمة مرور صحيحة" diff --git a/l10n/bg_BG/files_encryption.po b/l10n/bg_BG/files_encryption.po index 2d57c79ed2d..3149c9a989e 100644 --- a/l10n/bg_BG/files_encryption.po +++ b/l10n/bg_BG/files_encryption.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -61,18 +61,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/bg_BG/settings.po b/l10n/bg_BG/settings.po index ba0d4dd635f..204560a4b91 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -145,27 +145,27 @@ msgstr "" msgid "Groups" msgstr "Групи" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Изтриване" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "нова група" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" @@ -471,7 +471,7 @@ msgstr "" #: templates/personal.php:117 msgid "Encryption" -msgstr "" +msgstr "Криптиране" #: templates/personal.php:119 msgid "The encryption app is no longer enabled, decrypt all your file" diff --git a/l10n/bn_BD/files_encryption.po b/l10n/bn_BD/files_encryption.po index f029e2534bc..229e29bf4ea 100644 --- a/l10n/bn_BD/files_encryption.po +++ b/l10n/bn_BD/files_encryption.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -61,18 +61,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/bn_BD/settings.po b/l10n/bn_BD/settings.po index 3b8d63a4a77..a03ae46160f 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:10+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -145,27 +145,27 @@ msgstr "" msgid "Groups" msgstr "গোষ্ঠীসমূহ" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "গোষ্ঠী প্রশাসক" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "মুছে" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" diff --git a/l10n/ca/files_encryption.po b/l10n/ca/files_encryption.po index b7b99faec20..695090cfef6 100644 --- a/l10n/ca/files_encryption.po +++ b/l10n/ca/files_encryption.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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-09 13:30+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+0000\n" "Last-Translator: rogerc\n" "Language-Team: Catalan (http://www.transifex.com/projects/p/owncloud/language/ca/)\n" "MIME-Version: 1.0\n" @@ -64,18 +64,18 @@ msgid "" "files." 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 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "Manca de requisits." -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "Assegureu-vos que teniu instal·lat PHP 5.3.3 o una versió superior i que està activat Open SSL i habilitada i configurada correctament l'extensió de PHP. De moment, l'aplicació d'encriptació s'ha desactivat." -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "Els usuaris següents no estan configurats per a l'encriptació:" diff --git a/l10n/ca/settings.po b/l10n/ca/settings.po index 2a812a7f066..a00bc085904 100644 --- a/l10n/ca/settings.po +++ b/l10n/ca/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -147,27 +147,27 @@ msgstr "No s'ha pogut eliminar l'usuari" msgid "Groups" msgstr "Grups" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Grup Admin" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Esborra" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "afegeix grup" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Heu de facilitar un nom d'usuari vàlid" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Error en crear l'usuari" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Heu de facilitar una contrasenya vàlida" @@ -473,7 +473,7 @@ msgstr "Useu aquesta adreça per , 2013 +# cvanca , 2013 # pstast , 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-20 15:51+0000\n" +"Last-Translator: cvanca \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" @@ -102,15 +103,15 @@ msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Probíhá odesílání souboru. Opuštění stránky způsobí zrušení nahrávání." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:234 js/files.js:353 msgid "URL cannot be empty." msgstr "URL nemůže být prázdná." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:239 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Název složky nelze použít. Použití názvu 'Shared' je ownCloudem rezervováno" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 #: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Chyba" @@ -192,7 +193,7 @@ msgstr "Vaše úložiště je téměř plné ({usedSpacePercent}%)" msgid "" "Encryption was disabled but your files are still encrypted. Please go to " "your personal settings to decrypt your files." -msgstr "" +msgstr "Šifrování bylo zrušeno, soubory jsou však stále zašifrované. Běžte prosím do osobního nastavení, kde si složky odšifrujete." #: js/files.js:245 msgid "" diff --git a/l10n/cs_CZ/files_encryption.po b/l10n/cs_CZ/files_encryption.po index ce70af9cff7..ffbcfd39418 100644 --- a/l10n/cs_CZ/files_encryption.po +++ b/l10n/cs_CZ/files_encryption.po @@ -12,8 +12,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-16 01:29-0400\n" -"PO-Revision-Date: 2013-08-15 18:50+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+0000\n" "Last-Translator: pstast \n" "Language-Team: Czech (Czech Republic) (http://www.transifex.com/projects/p/owncloud/language/cs_CZ/)\n" "MIME-Version: 1.0\n" @@ -66,18 +66,18 @@ msgid "" "files." msgstr "Váš soukromý klíč není platný! Pravděpodobně bylo heslo změněno vně systému ownCloud (např. ve vašem firemním adresáři). Heslo vašeho soukromého klíče můžete změnit ve svém osobním nastavení pro obnovení přístupu k vašim zašifrovaným souborům." -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "Nesplněné závislosti." -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "Ujistěte se prosím, že máte nainstalované PHP 5.3.3 nebo novější a že máte povolené a správně nakonfigurované OpenSSL včetně jeho rozšíření pro PHP. Prozatím byla aplikace pro šifrování vypnuta." -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "Následující uživatelé nemají nastavené šifrování:" diff --git a/l10n/cs_CZ/settings.po b/l10n/cs_CZ/settings.po index 1b7a56f1b44..7ac217fd40c 100644 --- a/l10n/cs_CZ/settings.po +++ b/l10n/cs_CZ/settings.po @@ -4,15 +4,16 @@ # # Translators: # Honza K. , 2013 +# cvanca , 2013 # pstast , 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-20 16:10+0000\n" +"Last-Translator: cvanca \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" @@ -125,7 +126,7 @@ msgstr "Aktualizováno" #: js/personal.js:150 msgid "Decrypting files... Please wait, this can take some time." -msgstr "" +msgstr "Probíhá odšifrování souborů... Prosíme počkejte, tato operace může trvat několik minut." #: js/personal.js:172 msgid "Saving..." @@ -148,27 +149,27 @@ msgstr "Nelze odebrat uživatele" msgid "Groups" msgstr "Skupiny" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Správa skupiny" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Smazat" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "přidat skupinu" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Musíte zadat platné uživatelské jméno" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Chyba při vytváření užiatele" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Musíte zadat platné heslo" @@ -478,15 +479,15 @@ msgstr "Šifrování" #: templates/personal.php:119 msgid "The encryption app is no longer enabled, decrypt all your file" -msgstr "" +msgstr "Šifrovací aplikace již není spuštěna, odšifrujte všechny své soubory" #: templates/personal.php:125 msgid "Log-in password" -msgstr "" +msgstr "Heslo pro přihlášení" #: templates/personal.php:130 msgid "Decrypt all Files" -msgstr "" +msgstr "Odšifrovat všechny soubory" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/cs_CZ/user_ldap.po b/l10n/cs_CZ/user_ldap.po index 492126412c4..6245bd4e833 100644 --- a/l10n/cs_CZ/user_ldap.po +++ b/l10n/cs_CZ/user_ldap.po @@ -4,15 +4,16 @@ # # Translators: # Honza K. , 2013 +# cvanca , 2013 # pstast , 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-20 17:00+0000\n" +"Last-Translator: cvanca \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" @@ -158,7 +159,7 @@ msgstr "Filtr přihlášení uživatelů" msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " "username in the login action. Example: \"uid=%%uid\"" -msgstr "" +msgstr "Určuje použitý filtr, při pokusu o přihlášení. %%uid nahrazuje uživatelské jméno v činnosti přihlášení. Příklad \"uid=%%uid\"" #: templates/settings.php:55 msgid "User List Filter" @@ -168,7 +169,7 @@ msgstr "Filtr seznamu uživatelů" msgid "" "Defines the filter to apply, when retrieving users (no placeholders). " "Example: \"objectClass=person\"" -msgstr "" +msgstr "Určuje použitý filtr pro získávaní uživatelů (bez zástupných znaků). Příklad: \"objectClass=person\"" #: templates/settings.php:59 msgid "Group Filter" @@ -178,7 +179,7 @@ msgstr "Filtr skupin" msgid "" "Defines the filter to apply, when retrieving groups (no placeholders). " "Example: \"objectClass=posixGroup\"" -msgstr "" +msgstr "Určuje použitý filtr, pro získávaní skupin (bez zástupných znaků). Příklad: \"objectClass=posixGroup\"" #: templates/settings.php:66 msgid "Connection Settings" @@ -239,7 +240,7 @@ msgstr "Vypnout ověřování SSL certifikátu." msgid "" "Not recommended, use it for testing only! If connection only works with this" " option, import the LDAP server's SSL certificate in your %s server." -msgstr "" +msgstr "Nedoporučuje se, určeno pouze k testovacímu použití. Pokud spojení funguje jen s touto volbou, importujte SSL certifikát vašeho LDAP serveru na server %s." #: templates/settings.php:76 msgid "Cache Time-To-Live" diff --git a/l10n/cy_GB/files_encryption.po b/l10n/cy_GB/files_encryption.po index 0b6627605f1..9a63fede82d 100644 --- a/l10n/cy_GB/files_encryption.po +++ b/l10n/cy_GB/files_encryption.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -62,18 +62,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/cy_GB/settings.po b/l10n/cy_GB/settings.po index c4bdbaa6bd0..ed67da103cf 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -145,27 +145,27 @@ msgstr "" msgid "Groups" msgstr "Grwpiau" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Dileu" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" @@ -471,7 +471,7 @@ msgstr "" #: templates/personal.php:117 msgid "Encryption" -msgstr "" +msgstr "Amgryptiad" #: templates/personal.php:119 msgid "The encryption app is no longer enabled, decrypt all your file" diff --git a/l10n/da/files.po b/l10n/da/files.po index 60430686289..e043bee154c 100644 --- a/l10n/da/files.po +++ b/l10n/da/files.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-20 19:40+0000\n" +"Last-Translator: Sappe\n" "Language-Team: Danish (http://www.transifex.com/projects/p/owncloud/language/da/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -102,15 +102,15 @@ msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Fil upload kører. Hvis du forlader siden nu, vil uploadet blive annuleret." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:234 js/files.js:353 msgid "URL cannot be empty." msgstr "URLen kan ikke være tom." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:239 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Ugyldigt mappenavn. Brug af 'Shared' er forbeholdt af ownCloud" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 #: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Fejl" @@ -191,7 +191,7 @@ msgstr "Din opbevaringsplads er næsten fyldt op ({usedSpacePercent}%)" msgid "" "Encryption was disabled but your files are still encrypted. Please go to " "your personal settings to decrypt your files." -msgstr "" +msgstr "Krypteringen blev deaktiveret, men dine filer er stadig krypteret. Gå venligst til dine personlige indstillinger for at dekryptere dine filer. " #: js/files.js:245 msgid "" diff --git a/l10n/da/files_encryption.po b/l10n/da/files_encryption.po index 105ba059f9e..aef21e07adb 100644 --- a/l10n/da/files_encryption.po +++ b/l10n/da/files_encryption.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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-14 19:40+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+0000\n" "Last-Translator: claus_chr \n" "Language-Team: Danish (http://www.transifex.com/projects/p/owncloud/language/da/)\n" "MIME-Version: 1.0\n" @@ -63,18 +63,18 @@ msgid "" "files." msgstr "Din private nøgle er gyldig! Sandsynligvis blev dit kodeord ændre uden for ownCloud systemet (f.eks. dit firmas register). Du kan opdatere dit private nøgle kodeord under personlige indstillinger, for at generhverve adgang til dine krypterede filer." -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "Manglende betingelser." -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "Sørg for at PHP 5.3.3 eller nyere er installeret og at OpenSSL sammen med PHP-udvidelsen er aktiveret og korrekt konfigureret. Indtil videre er krypteringsprogrammet deaktiveret." -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "Følgende brugere er ikke sat op til kryptering:" diff --git a/l10n/da/settings.po b/l10n/da/settings.po index 1ae81e2e65c..b43c939dde1 100644 --- a/l10n/da/settings.po +++ b/l10n/da/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:10+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-20 19:40+0000\n" +"Last-Translator: Sappe\n" "Language-Team: Danish (http://www.transifex.com/projects/p/owncloud/language/da/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -125,7 +125,7 @@ msgstr "Opdateret" #: js/personal.js:150 msgid "Decrypting files... Please wait, this can take some time." -msgstr "" +msgstr "Dekryptere filer... Vent venligst, dette kan tage lang tid. " #: js/personal.js:172 msgid "Saving..." @@ -148,27 +148,27 @@ msgstr "Kan ikke fjerne bruger" msgid "Groups" msgstr "Grupper" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Gruppe Administrator" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Slet" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "Tilføj gruppe" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Et gyldigt brugernavn skal angives" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Fejl ved oprettelse af bruger" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "En gyldig adgangskode skal angives" @@ -478,15 +478,15 @@ msgstr "Kryptering" #: templates/personal.php:119 msgid "The encryption app is no longer enabled, decrypt all your file" -msgstr "" +msgstr "Krypterings app'en er ikke længere aktiv. Dekrypter alle dine filer. " #: templates/personal.php:125 msgid "Log-in password" -msgstr "" +msgstr "Log-in kodeord" #: templates/personal.php:130 msgid "Decrypt all Files" -msgstr "" +msgstr "Dekrypter alle Filer " #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/de/files.po b/l10n/de/files.po index c66968b0c14..d1a6526c482 100644 --- a/l10n/de/files.po +++ b/l10n/de/files.po @@ -5,6 +5,7 @@ # Translators: # I Robot , 2013 # Marcel Kühlhorn , 2013 +# Mario Siegmann , 2013 # ninov , 2013 # Pwnicorn , 2013 # kabum , 2013 @@ -12,9 +13,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-20 12:40+0000\n" +"Last-Translator: Mario Siegmann \n" "Language-Team: German \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -104,15 +105,15 @@ msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Dateiupload läuft. Wenn Du die Seite jetzt verlässt, wird der Upload abgebrochen." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:234 js/files.js:353 msgid "URL cannot be empty." msgstr "Die URL darf nicht leer sein." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:239 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Der Ordnername ist ungültig. Nur ownCloud kann den Ordner \"Shared\" anlegen" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 #: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Fehler" @@ -193,7 +194,7 @@ msgstr "Dein Speicher ist fast voll ({usedSpacePercent}%)" msgid "" "Encryption was disabled but your files are still encrypted. Please go to " "your personal settings to decrypt your files." -msgstr "" +msgstr "Die Verschlüsselung wurde deaktiviert, jedoch sind deine Dateien nach wie vor verschlüsselt. Bitte gehe zu deinen persönlichen Einstellungen, um deine Dateien zu entschlüsseln." #: js/files.js:245 msgid "" diff --git a/l10n/de/files_encryption.po b/l10n/de/files_encryption.po index 0505a208648..fbe536c708a 100644 --- a/l10n/de/files_encryption.po +++ b/l10n/de/files_encryption.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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-09 14:10+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+0000\n" "Last-Translator: Mario Siegmann \n" "Language-Team: German \n" "MIME-Version: 1.0\n" @@ -68,18 +68,18 @@ msgid "" "files." 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 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "Fehlende Vorraussetzungen" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "Bitte stelle sicher, dass PHP 5.3.3 oder neuer installiert und das OpenSSL zusammen mit der PHP-Erweiterung aktiviert und richtig konfiguriert ist. Zur Zeit ist die Verschlüsselungs-App deaktiviert." -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "Für folgende Nutzer ist keine Verschlüsselung eingerichtet:" diff --git a/l10n/de/settings.po b/l10n/de/settings.po index 93d2ba51a14..2398da2d95f 100644 --- a/l10n/de/settings.po +++ b/l10n/de/settings.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-20 12:50+0000\n" +"Last-Translator: Mario Siegmann \n" "Language-Team: German \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -127,7 +127,7 @@ msgstr "Aktualisiert" #: js/personal.js:150 msgid "Decrypting files... Please wait, this can take some time." -msgstr "" +msgstr "Entschlüssle Dateien ... Bitte warten, denn dieser Vorgang kann einige Zeit beanspruchen." #: js/personal.js:172 msgid "Saving..." @@ -150,27 +150,27 @@ msgstr "Benutzer konnte nicht entfernt werden." msgid "Groups" msgstr "Gruppen" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Gruppenadministrator" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Löschen" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "Gruppe hinzufügen" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Es muss ein gültiger Benutzername angegeben werden" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Beim Anlegen des Benutzers ist ein Fehler aufgetreten" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Es muss ein gültiges Passwort angegeben werden" @@ -476,19 +476,19 @@ msgstr "Verwenden Sie diese Adresse, um \n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-20 12:50+0000\n" +"Last-Translator: Mario Siegmann \n" "Language-Team: German \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -159,7 +159,7 @@ msgstr "Benutzer-Login-Filter" msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " "username in the login action. Example: \"uid=%%uid\"" -msgstr "" +msgstr "Bestimmt den Filter, welcher bei einer Anmeldung angewandt wird. %%uid ersetzt den Benutzernamen bei der Anmeldung. Beispiel: \"uid=%%uid\"" #: templates/settings.php:55 msgid "User List Filter" @@ -169,7 +169,7 @@ msgstr "Benutzer-Filter-Liste" msgid "" "Defines the filter to apply, when retrieving users (no placeholders). " "Example: \"objectClass=person\"" -msgstr "" +msgstr "Definiert den Filter für die Wiederherstellung eines Benutzers (kein Platzhalter). Beispiel: \"objectClass=person\"" #: templates/settings.php:59 msgid "Group Filter" @@ -179,7 +179,7 @@ msgstr "Gruppen-Filter" msgid "" "Defines the filter to apply, when retrieving groups (no placeholders). " "Example: \"objectClass=posixGroup\"" -msgstr "" +msgstr "Definiert den Filter für die Wiederherstellung einer Gruppe (kein Platzhalter). Beispiel: \"objectClass=posixGroup\"" #: templates/settings.php:66 msgid "Connection Settings" @@ -240,7 +240,7 @@ msgstr "Schalte die SSL-Zertifikatsprüfung aus." msgid "" "Not recommended, use it for testing only! If connection only works with this" " option, import the LDAP server's SSL certificate in your %s server." -msgstr "" +msgstr "Nur für Testzwecke geeignet, sollte Standardmäßig nicht verwendet werden. Falls die Verbindung nur mit dieser Option funktioniert, importiere das SSL-Zertifikat des LDAP-Servers in deinen %s Server." #: templates/settings.php:76 msgid "Cache Time-To-Live" diff --git a/l10n/de_CH/files_encryption.po b/l10n/de_CH/files_encryption.po index 3f0472c11a8..ccf349afd9f 100644 --- a/l10n/de_CH/files_encryption.po +++ b/l10n/de_CH/files_encryption.po @@ -12,8 +12,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Switzerland) (http://www.transifex.com/projects/p/owncloud/language/de_CH/)\n" "MIME-Version: 1.0\n" @@ -66,18 +66,18 @@ msgid "" "files." msgstr "Ihr privater Schlüssel ist ungültig. Möglicher Weise wurde von ausserhalb 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 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "Fehlende Voraussetzungen" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "Für folgende Nutzer ist keine Verschlüsselung eingerichtet:" diff --git a/l10n/de_CH/settings.po b/l10n/de_CH/settings.po index 9b99da139e8..6193f9b28eb 100644 --- a/l10n/de_CH/settings.po +++ b/l10n/de_CH/settings.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Switzerland) (http://www.transifex.com/projects/p/owncloud/language/de_CH/)\n" "MIME-Version: 1.0\n" @@ -152,27 +152,27 @@ msgstr "Der Benutzer konnte nicht entfernt werden." msgid "Groups" msgstr "Gruppen" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Gruppenadministrator" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Löschen" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "Gruppe hinzufügen" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Es muss ein gültiger Benutzername angegeben werden" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Beim Erstellen des Benutzers ist ein Fehler aufgetreten" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Es muss ein gültiges Passwort angegeben werden" @@ -478,7 +478,7 @@ msgstr "Verwenden Sie diese Adresse, um \n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-20 06:50+0000\n" +"Last-Translator: traductor \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -107,15 +107,15 @@ msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Dateiupload läuft. Wenn Sie die Seite jetzt verlassen, wird der Upload abgebrochen." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:234 js/files.js:353 msgid "URL cannot be empty." msgstr "Die URL darf nicht leer sein." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:239 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Ungültiger Ordnername. Die Verwendung von \"Shared\" ist ownCloud vorbehalten." -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 #: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Fehler" @@ -196,7 +196,7 @@ msgstr "Ihr Speicher ist fast voll ({usedSpacePercent}%)" msgid "" "Encryption was disabled but your files are still encrypted. Please go to " "your personal settings to decrypt your files." -msgstr "" +msgstr "Die Verschlüsselung wurde deaktiviert, jedoch sind Ihre Dateien nach wie vor verschlüsselt. Bitte gehen Sie zu Ihren persönlichen Einstellungen, um Ihre Dateien zu entschlüsseln." #: js/files.js:245 msgid "" diff --git a/l10n/de_DE/files_encryption.po b/l10n/de_DE/files_encryption.po index 7e0878a9eb1..1571956a4cf 100644 --- a/l10n/de_DE/files_encryption.po +++ b/l10n/de_DE/files_encryption.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-09 14:10+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+0000\n" "Last-Translator: Mario Siegmann \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" @@ -65,18 +65,18 @@ msgid "" "files." 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 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "Fehlende Voraussetzungen" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "Bitte stellen Sie sicher, dass PHP 5.3.3 oder neuer installiert und das OpenSSL zusammen mit der PHP-Erweiterung aktiviert und richtig konfiguriert ist. Zur Zeit ist die Verschlüsselungs-App deaktiviert." -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "Für folgende Nutzer ist keine Verschlüsselung eingerichtet:" diff --git a/l10n/de_DE/settings.po b/l10n/de_DE/settings.po index 92771d1d43d..92428b183d7 100644 --- a/l10n/de_DE/settings.po +++ b/l10n/de_DE/settings.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:10+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-20 12:50+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" @@ -128,7 +128,7 @@ msgstr "Aktualisiert" #: js/personal.js:150 msgid "Decrypting files... Please wait, this can take some time." -msgstr "" +msgstr "Entschlüssle Dateien ... Bitte warten Sie, denn dieser Vorgang kann einige Zeit beanspruchen." #: js/personal.js:172 msgid "Saving..." @@ -151,27 +151,27 @@ msgstr "Der Benutzer konnte nicht entfernt werden." msgid "Groups" msgstr "Gruppen" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Gruppenadministrator" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Löschen" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "Gruppe hinzufügen" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Es muss ein gültiger Benutzername angegeben werden" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Beim Erstellen des Benutzers ist ein Fehler aufgetreten" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Es muss ein gültiges Passwort angegeben werden" @@ -481,15 +481,15 @@ msgstr "Verschlüsselung" #: templates/personal.php:119 msgid "The encryption app is no longer enabled, decrypt all your file" -msgstr "" +msgstr "Die Anwendung zur Verschlüsselung ist nicht länger aktiv, all Ihre Dateien werden entschlüsselt. " #: templates/personal.php:125 msgid "Log-in password" -msgstr "" +msgstr "Login-Passwort" #: templates/personal.php:130 msgid "Decrypt all Files" -msgstr "" +msgstr "Alle Dateien entschlüsseln" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/de_DE/user_ldap.po b/l10n/de_DE/user_ldap.po index 35746ea7ce3..aa03bac5ff2 100644 --- a/l10n/de_DE/user_ldap.po +++ b/l10n/de_DE/user_ldap.po @@ -8,13 +8,14 @@ # Mario Siegmann , 2013 # JamFX , 2013 # traductor , 2013 +# noxin , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-20 07:00+0000\n" +"Last-Translator: noxin \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -160,7 +161,7 @@ msgstr "Benutzer-Login-Filter" msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " "username in the login action. Example: \"uid=%%uid\"" -msgstr "" +msgstr "Bestimmt den Filter, welcher bei einer Anmeldung angewandt wird. %%uid ersetzt den Benutzernamen bei der Anmeldung. Beispiel: \"uid=%%uid\"" #: templates/settings.php:55 msgid "User List Filter" @@ -170,7 +171,7 @@ msgstr "Benutzer-Filter-Liste" msgid "" "Defines the filter to apply, when retrieving users (no placeholders). " "Example: \"objectClass=person\"" -msgstr "" +msgstr "Definiert den Filter für die Wiederherstellung eines Benutzers (kein Platzhalter). Beispiel: \"objectClass=person\"" #: templates/settings.php:59 msgid "Group Filter" @@ -180,7 +181,7 @@ msgstr "Gruppen-Filter" msgid "" "Defines the filter to apply, when retrieving groups (no placeholders). " "Example: \"objectClass=posixGroup\"" -msgstr "" +msgstr "Definiert den Filter für die Wiederherstellung einer Gruppe (kein Platzhalter). Beispiel: \"objectClass=posixGroup\"" #: templates/settings.php:66 msgid "Connection Settings" @@ -241,7 +242,7 @@ msgstr "Schalten Sie die SSL-Zertifikatsprüfung aus." msgid "" "Not recommended, use it for testing only! If connection only works with this" " option, import the LDAP server's SSL certificate in your %s server." -msgstr "" +msgstr "Nur für Testzwecke geeignet, sollte Standardmäßig nicht verwendet werden. Falls die Verbindung nur mit dieser Option funktioniert, importieren Sie das SSL-Zertifikat des LDAP-Servers in Ihren %s Server." #: templates/settings.php:76 msgid "Cache Time-To-Live" diff --git a/l10n/el/files_encryption.po b/l10n/el/files_encryption.po index 1cdfbf50fec..8cb29d78640 100644 --- a/l10n/el/files_encryption.po +++ b/l10n/el/files_encryption.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -64,18 +64,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/el/settings.po b/l10n/el/settings.po index 6ffb6735912..518615afaaa 100644 --- a/l10n/el/settings.po +++ b/l10n/el/settings.po @@ -13,8 +13,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -151,27 +151,27 @@ msgstr "Αδυναμία αφαίρεση χρήστη" msgid "Groups" msgstr "Ομάδες" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Ομάδα Διαχειριστών" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Διαγραφή" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "προσθήκη ομάδας" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Πρέπει να δοθεί έγκυρο όνομα χρήστη" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Σφάλμα δημιουργίας χρήστη" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Πρέπει να δοθεί έγκυρο συνθηματικό" @@ -477,7 +477,7 @@ msgstr "Χρήση αυτής της διεύθυνσης για \n" "Language-Team: Esperanto (http://www.transifex.com/projects/p/owncloud/language/eo/)\n" "MIME-Version: 1.0\n" @@ -62,18 +62,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/eo/settings.po b/l10n/eo/settings.po index 7982ef091db..48f4bb536a9 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:10+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -145,27 +145,27 @@ msgstr "" msgid "Groups" msgstr "Grupoj" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Grupadministranto" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Forigi" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" diff --git a/l10n/es/files_encryption.po b/l10n/es/files_encryption.po index 1382a2304b6..7d0a9ee0236 100644 --- a/l10n/es/files_encryption.po +++ b/l10n/es/files_encryption.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -68,18 +68,18 @@ msgid "" "files." 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 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "Requisitos incompletos." -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/es/settings.po b/l10n/es/settings.po index df96cf7840f..6d6a4b41869 100644 --- a/l10n/es/settings.po +++ b/l10n/es/settings.po @@ -13,8 +13,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:10+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -151,27 +151,27 @@ msgstr "No se puede eliminar el usuario" msgid "Groups" msgstr "Grupos" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Grupo administrador" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Eliminar" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "añadir Grupo" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Se debe usar un nombre de usuario válido" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Error al crear usuario" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Se debe usar una contraseña valida" diff --git a/l10n/es_AR/files_encryption.po b/l10n/es_AR/files_encryption.po index 0640a504551..7c6c7ae472c 100644 --- a/l10n/es_AR/files_encryption.po +++ b/l10n/es_AR/files_encryption.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -62,18 +62,18 @@ msgid "" "files." 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 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "Requisitos incompletos." -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/es_AR/settings.po b/l10n/es_AR/settings.po index dfc35a873c6..9eaa7d4e7ea 100644 --- a/l10n/es_AR/settings.po +++ b/l10n/es_AR/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -147,27 +147,27 @@ msgstr "Imposible borrar usuario" msgid "Groups" msgstr "Grupos" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Grupo Administrador" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Borrar" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "agregar grupo" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Debe ingresar un nombre de usuario válido" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Error creando usuario" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Debe ingresar una contraseña válida" @@ -473,7 +473,7 @@ msgstr "Usá esta dirección para \n" "Language-Team: Estonian (Estonia) (http://www.transifex.com/projects/p/owncloud/language/et_EE/)\n" "MIME-Version: 1.0\n" @@ -63,18 +63,18 @@ msgid "" "files." 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 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "Nõutavad on puudu." -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "Palun veendu, et on paigaldatud PHP 5.3.3 või uuem ning PHP OpenSSL laiendus on lubatud ning seadistatud korrektselt. Hetkel krüpteerimise rakendus on peatatud." -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "Järgmised kasutajad pole seadistatud krüpteeringuks:" diff --git a/l10n/et_EE/settings.po b/l10n/et_EE/settings.po index c5788bef801..58c843ddda0 100644 --- a/l10n/et_EE/settings.po +++ b/l10n/et_EE/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:10+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -147,27 +147,27 @@ msgstr "Kasutaja eemaldamine ebaõnnestus" msgid "Groups" msgstr "Grupid" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Grupi admin" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Kustuta" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "lisa grupp" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Sisesta nõuetele vastav kasutajatunnus" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Viga kasutaja loomisel" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Sisesta nõuetele vastav parool" diff --git a/l10n/eu/files_encryption.po b/l10n/eu/files_encryption.po index a714d8fa888..456db338acb 100644 --- a/l10n/eu/files_encryption.po +++ b/l10n/eu/files_encryption.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -64,18 +64,18 @@ msgid "" "files." msgstr "Zure gako pribatua ez da egokia! Seguruaski zure pasahitza ownCloud sistematik kanpo aldatu da (adb. zure direktorio korporatiboa). Zure gako pribatuaren pasahitza eguneratu dezakezu zure ezarpen pertsonaletan zure enkriptatutako fitxategiak berreskuratzeko." -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "Eskakizun batzuk ez dira betetzen." -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/eu/settings.po b/l10n/eu/settings.po index b30c31bea95..1d71b7b9554 100644 --- a/l10n/eu/settings.po +++ b/l10n/eu/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:10+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -147,27 +147,27 @@ msgstr "Ezin izan da erabiltzailea aldatu" msgid "Groups" msgstr "Taldeak" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Talde administradorea" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Ezabatu" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "gehitu taldea" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Baliozko erabiltzaile izena eman behar da" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Errore bat egon da erabiltzailea sortzean" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Baliozko pasahitza eman behar da" diff --git a/l10n/fa/files_encryption.po b/l10n/fa/files_encryption.po index 6dced246ec6..4e22a4b067c 100644 --- a/l10n/fa/files_encryption.po +++ b/l10n/fa/files_encryption.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -62,18 +62,18 @@ msgid "" "files." msgstr "کلید خصوصی شما معتبر نمی باشد! ظاهرا رمزعبور شما بیرون از سیستم ownCloud تغییر یافته است( به عنوان مثال پوشه سازمان شما ). شما میتوانید رمزعبور کلید خصوصی خود را در تنظیمات شخصیتان به روز کنید تا بتوانید به فایل های رمزگذاری شده خود را دسترسی داشته باشید." -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "نیازمندی های گمشده" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/fa/settings.po b/l10n/fa/settings.po index 07f1c49472b..a81077fb92f 100644 --- a/l10n/fa/settings.po +++ b/l10n/fa/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:10+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -146,27 +146,27 @@ msgstr "حذف کاربر امکان پذیر نیست" msgid "Groups" msgstr "گروه ها" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "گروه مدیران" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "حذف" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "افزودن گروه" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "نام کاربری صحیح باید وارد شود" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "خطا در ایجاد کاربر" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "رمز عبور صحیح باید وارد شود" diff --git a/l10n/fi_FI/files_encryption.po b/l10n/fi_FI/files_encryption.po index 5aaf930afb3..d9687472967 100644 --- a/l10n/fi_FI/files_encryption.po +++ b/l10n/fi_FI/files_encryption.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -62,18 +62,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/fi_FI/settings.po b/l10n/fi_FI/settings.po index 1b8127f5e66..eb3934480cc 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:10+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -146,27 +146,27 @@ msgstr "Käyttäjän poistaminen ei onnistunut" msgid "Groups" msgstr "Ryhmät" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Ryhmän ylläpitäjä" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Poista" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "lisää ryhmä" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Anna kelvollinen käyttäjätunnus" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Virhe käyttäjää luotaessa" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Anna kelvollinen salasana" diff --git a/l10n/fr/files_encryption.po b/l10n/fr/files_encryption.po index a3cea1154a6..174e4d3f3a3 100644 --- a/l10n/fr/files_encryption.po +++ b/l10n/fr/files_encryption.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -65,18 +65,18 @@ msgid "" "files." msgstr "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." -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "Système minimum requis non respecté." -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/fr/settings.po b/l10n/fr/settings.po index a237f608976..9b43aabef4d 100644 --- a/l10n/fr/settings.po +++ b/l10n/fr/settings.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:10+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -149,27 +149,27 @@ msgstr "Impossible de retirer l'utilisateur" msgid "Groups" msgstr "Groupes" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Groupe Admin" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Supprimer" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "ajouter un groupe" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Un nom d'utilisateur valide doit être saisi" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Erreur lors de la création de l'utilisateur" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Un mot de passe valide doit être saisi" diff --git a/l10n/gl/files.po b/l10n/gl/files.po index 1d4342dddee..70312ce0d91 100644 --- a/l10n/gl/files.po +++ b/l10n/gl/files.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-20 11:10+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" @@ -100,15 +100,15 @@ msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "O envío do ficheiro está en proceso. Saír agora da páxina cancelará o envío." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:234 js/files.js:353 msgid "URL cannot be empty." msgstr "O URL non pode quedar baleiro." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:239 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nome de cartafol incorrecto. O uso de «Compartido» e «Shared» está reservado para o ownClod" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 #: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Erro" @@ -189,7 +189,7 @@ msgstr "O seu espazo de almacenamento está case cheo ({usedSpacePercent}%)" msgid "" "Encryption was disabled but your files are still encrypted. Please go to " "your personal settings to decrypt your files." -msgstr "" +msgstr "O cifrado foi desactivado, mais os ficheiros están cifrados. Vaia á configuración persoal para descifrar os ficheiros." #: js/files.js:245 msgid "" diff --git a/l10n/gl/files_encryption.po b/l10n/gl/files_encryption.po index 1395e13a4f3..bdd69c84048 100644 --- a/l10n/gl/files_encryption.po +++ b/l10n/gl/files_encryption.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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-09 18:50+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19: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" @@ -64,18 +64,18 @@ msgid "" "files." msgstr "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" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "Non se cumpren os requisitos." -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "Asegúrese de que está instalado o PHP 5.3.3 ou posterior e de o OpenSSL xunto coa extensión PHP estean activados e configurados correctamente. Polo de agora foi desactivado o aplicativo de cifrado." -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "Os seguintes usuarios non teñen configuración para o cifrado:" diff --git a/l10n/gl/settings.po b/l10n/gl/settings.po index 02d7a03a194..ba4d53c4fac 100644 --- a/l10n/gl/settings.po +++ b/l10n/gl/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-20 11:10+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" @@ -123,7 +123,7 @@ msgstr "Actualizado" #: js/personal.js:150 msgid "Decrypting files... Please wait, this can take some time." -msgstr "" +msgstr "Descifrando ficheiros... isto pode levar un anaco." #: js/personal.js:172 msgid "Saving..." @@ -146,27 +146,27 @@ msgstr "Non é posíbel retirar o usuario" msgid "Groups" msgstr "Grupos" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Grupo Admin" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Eliminar" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "engadir un grupo" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Debe fornecer un nome de usuario" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Produciuse un erro ao crear o usuario" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Debe fornecer un contrasinal" @@ -472,19 +472,19 @@ msgstr "Empregue esta ligazón \n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-20 11: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" "Content-Type: text/plain; charset=UTF-8\n" @@ -156,7 +156,7 @@ msgstr "Filtro de acceso de usuarios" msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " "username in the login action. Example: \"uid=%%uid\"" -msgstr "" +msgstr "Define o filtro que se aplica cando se intenta o acceso. %%uid substitúe o nome de usuario e a acción de acceso. Exemplo: «uid=%%uid»" #: templates/settings.php:55 msgid "User List Filter" @@ -166,7 +166,7 @@ msgstr "Filtro da lista de usuarios" msgid "" "Defines the filter to apply, when retrieving users (no placeholders). " "Example: \"objectClass=person\"" -msgstr "" +msgstr "Define o filtro a aplicar cando de recuperan os usuarios (sen comodíns). Exemplo: «objectClass=person»" #: templates/settings.php:59 msgid "Group Filter" @@ -176,7 +176,7 @@ msgstr "Filtro de grupo" msgid "" "Defines the filter to apply, when retrieving groups (no placeholders). " "Example: \"objectClass=posixGroup\"" -msgstr "" +msgstr "Define o filtro a aplicar cando de recuperan os usuarios (sen comodíns). Exemplo: «objectClass=posixGroup»" #: templates/settings.php:66 msgid "Connection Settings" @@ -237,7 +237,7 @@ msgstr "Desactiva a validación do certificado SSL." msgid "" "Not recommended, use it for testing only! If connection only works with this" " option, import the LDAP server's SSL certificate in your %s server." -msgstr "" +msgstr "Non recomendado, utilizar só para probas! Se a conexión só funciona con esta opción importa o certificado SSL do servidor LDAP no seu servidor %s." #: templates/settings.php:76 msgid "Cache Time-To-Live" diff --git a/l10n/he/files_encryption.po b/l10n/he/files_encryption.po index 5e2a2f39dbb..200c5801924 100644 --- a/l10n/he/files_encryption.po +++ b/l10n/he/files_encryption.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -61,18 +61,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/he/settings.po b/l10n/he/settings.po index 469aab5a95c..29198d3642a 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:10+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -146,27 +146,27 @@ msgstr "לא ניתן להסיר את המשתמש" msgid "Groups" msgstr "קבוצות" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "מנהל הקבוצה" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "מחיקה" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "הוספת קבוצה" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "יש לספק שם משתמש תקני" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "יצירת המשתמש נכשלה" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "יש לספק ססמה תקנית" diff --git a/l10n/hu_HU/files_encryption.po b/l10n/hu_HU/files_encryption.po index c50896b0590..7f282b4ac56 100644 --- a/l10n/hu_HU/files_encryption.po +++ b/l10n/hu_HU/files_encryption.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -61,18 +61,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/hu_HU/settings.po b/l10n/hu_HU/settings.po index c0b8de03bf2..464a3c622e8 100644 --- a/l10n/hu_HU/settings.po +++ b/l10n/hu_HU/settings.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -148,27 +148,27 @@ msgstr "A felhasználót nem sikerült eltávolítáni" msgid "Groups" msgstr "Csoportok" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Csoportadminisztrátor" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Törlés" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "csoport hozzáadása" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Érvényes felhasználónevet kell megadnia" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "A felhasználó nem hozható létre" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Érvényes jelszót kell megadnia" @@ -474,7 +474,7 @@ msgstr "Ezt a címet használja, ha \n" "Language-Team: Indonesian (http://www.transifex.com/projects/p/owncloud/language/id/)\n" "MIME-Version: 1.0\n" @@ -61,18 +61,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/id/settings.po b/l10n/id/settings.po index 0593869e6de..f4bb62020a1 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:10+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -145,27 +145,27 @@ msgstr "Tidak dapat menghapus pengguna" msgid "Groups" msgstr "Grup" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Admin Grup" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Hapus" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "tambah grup" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Tuliskan nama pengguna yang valid" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Gagal membuat pengguna" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Tuliskan sandi yang valid" diff --git a/l10n/is/files_encryption.po b/l10n/is/files_encryption.po index 2dfaa11e21d..db4f65b88d8 100644 --- a/l10n/is/files_encryption.po +++ b/l10n/is/files_encryption.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -61,18 +61,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/is/settings.po b/l10n/is/settings.po index 8c1bc1c835a..cd72b76be08 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:10+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -146,27 +146,27 @@ msgstr "" msgid "Groups" msgstr "Hópar" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Hópstjóri" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Eyða" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" diff --git a/l10n/it/files_encryption.po b/l10n/it/files_encryption.po index 390dd69d83c..eac60e403ba 100644 --- a/l10n/it/files_encryption.po +++ b/l10n/it/files_encryption.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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 07:20+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19: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" @@ -64,18 +64,18 @@ msgid "" "files." msgstr "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." -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "Requisiti mancanti." -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." 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." -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "I seguenti utenti non sono configurati per la cifratura:" diff --git a/l10n/it/settings.po b/l10n/it/settings.po index a2e51a418bf..8736fd0d1a0 100644 --- a/l10n/it/settings.po +++ b/l10n/it/settings.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:10+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -148,27 +148,27 @@ msgstr "Impossibile rimuovere l'utente" msgid "Groups" msgstr "Gruppi" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Gruppi amministrati" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Elimina" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "aggiungi gruppo" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Deve essere fornito un nome utente valido" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Errore durante la creazione dell'utente" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Deve essere fornita una password valida" diff --git a/l10n/ja_JP/files.po b/l10n/ja_JP/files.po index 8f9e9397d54..e27df447a18 100644 --- a/l10n/ja_JP/files.po +++ b/l10n/ja_JP/files.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-20 09:00+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -104,15 +104,15 @@ msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "ファイル転送を実行中です。今このページから移動するとアップロードが中止されます。" -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:234 js/files.js:353 msgid "URL cannot be empty." msgstr "URLは空にできません。" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:239 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "無効なフォルダ名です。'Shared' の利用はownCloudで予約済みです" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 #: js/files.js:709 js/files.js:747 msgid "Error" msgstr "エラー" @@ -192,7 +192,7 @@ msgstr "あなたのストレージはほぼ一杯です({usedSpacePercent}% msgid "" "Encryption was disabled but your files are still encrypted. Please go to " "your personal settings to decrypt your files." -msgstr "" +msgstr "暗号化の機能は無効化されましたが、ファイルはすでに暗号化されています。個人設定からファイルを複合を行ってください。" #: js/files.js:245 msgid "" diff --git a/l10n/ja_JP/files_encryption.po b/l10n/ja_JP/files_encryption.po index 669ed7fa419..ba39e536210 100644 --- a/l10n/ja_JP/files_encryption.po +++ b/l10n/ja_JP/files_encryption.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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-10 01:40+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -64,18 +64,18 @@ msgid "" "files." msgstr "秘密鍵が有効ではありません。パスワードがownCloudシステムの外部(例えば、企業ディレクトリ)から変更された恐れがあります。個人設定で秘密鍵のパスワードを更新して、暗号化されたファイルを回復出来ます。" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "必要要件が満たされていません。" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "必ず、PHP 5.3.3もしくはそれ以上をインストールし、同時にOpenSSLのPHP拡張を有効にした上でOpenSSLも同様にインストール、適切に設定してください。現時点では暗号化アプリは無効になっています。" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "以下のユーザーは、暗号化設定がされていません:" diff --git a/l10n/ja_JP/settings.po b/l10n/ja_JP/settings.po index a82413dc150..913c5d1b9a7 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-20 09:10+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -125,7 +125,7 @@ msgstr "更新済み" #: js/personal.js:150 msgid "Decrypting files... Please wait, this can take some time." -msgstr "" +msgstr "ファイルを複合中... しばらくお待ちください、この処理には少し時間がかかるかもしれません。" #: js/personal.js:172 msgid "Saving..." @@ -148,27 +148,27 @@ msgstr "ユーザを削除出来ません" msgid "Groups" msgstr "グループ" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "グループ管理者" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "削除" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "グループを追加" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "有効なユーザ名を指定する必要があります" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "ユーザ作成エラー" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "有効なパスワードを指定する必要があります" @@ -474,19 +474,19 @@ msgstr "\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-20 09:10+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -157,7 +157,7 @@ msgstr "ユーザログインフィルタ" msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " "username in the login action. Example: \"uid=%%uid\"" -msgstr "" +msgstr "ログイン実行時に適用するフィルタを定義します。%%uid にはログイン操作におけるユーザ名が入ります。例: \"uid=%%uid\"" #: templates/settings.php:55 msgid "User List Filter" @@ -167,7 +167,7 @@ msgstr "ユーザリストフィルタ" msgid "" "Defines the filter to apply, when retrieving users (no placeholders). " "Example: \"objectClass=person\"" -msgstr "" +msgstr "ユーザ取得時に適用するフィルタを定義します(プレースホルダ無し)。例: \"objectClass=person\"" #: templates/settings.php:59 msgid "Group Filter" @@ -177,7 +177,7 @@ msgstr "グループフィルタ" msgid "" "Defines the filter to apply, when retrieving groups (no placeholders). " "Example: \"objectClass=posixGroup\"" -msgstr "" +msgstr "グループ取得時に適用するフィルタを定義します(プレースホルダ無し)。例: \"objectClass=posixGroup\"" #: templates/settings.php:66 msgid "Connection Settings" @@ -238,7 +238,7 @@ msgstr "SSL証明書の確認を無効にする。" msgid "" "Not recommended, use it for testing only! If connection only works with this" " option, import the LDAP server's SSL certificate in your %s server." -msgstr "" +msgstr "推奨されません、テストにおいてのみ使用してください!このオプションでのみ接続が動作する場合は、LDAP サーバのSSL証明書を %s サーバにインポートしてください。" #: templates/settings.php:76 msgid "Cache Time-To-Live" diff --git a/l10n/ka_GE/files_encryption.po b/l10n/ka_GE/files_encryption.po index 4c7dd5a4457..7fde56cdb73 100644 --- a/l10n/ka_GE/files_encryption.po +++ b/l10n/ka_GE/files_encryption.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -61,18 +61,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/ka_GE/settings.po b/l10n/ka_GE/settings.po index a9a26c5bc0b..61c49828358 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -146,27 +146,27 @@ msgstr "მომხმარებლის წაშლა ვერ მოხ msgid "Groups" msgstr "ჯგუფები" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "ჯგუფის ადმინისტრატორი" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "წაშლა" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "ჯგუფის დამატება" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "უნდა მიუთითოთ არსებული მომხმარებლის სახელი" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "შეცდომა მომხმარებლის შექმნისას" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "უნდა მიუთითოთ არსებული პაროლი" @@ -472,7 +472,7 @@ msgstr "" #: templates/personal.php:117 msgid "Encryption" -msgstr "" +msgstr "ენკრიპცია" #: templates/personal.php:119 msgid "The encryption app is no longer enabled, decrypt all your file" diff --git a/l10n/ko/files_encryption.po b/l10n/ko/files_encryption.po index e3428a601e8..96c4ba62311 100644 --- a/l10n/ko/files_encryption.po +++ b/l10n/ko/files_encryption.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -62,18 +62,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/ko/settings.po b/l10n/ko/settings.po index b3f6b33db6d..3b5fbb866a4 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:10+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -146,27 +146,27 @@ msgstr "사용자를 삭제할 수 없음" msgid "Groups" msgstr "그룹" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "그룹 관리자" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "삭제" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "그룹 추가" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "올바른 사용자 이름을 입력해야 함" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "사용자 생성 오류" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "올바른 암호를 입력해야 함" diff --git a/l10n/ku_IQ/files_encryption.po b/l10n/ku_IQ/files_encryption.po index 1aeb3d52b0a..4df94a238d9 100644 --- a/l10n/ku_IQ/files_encryption.po +++ b/l10n/ku_IQ/files_encryption.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -61,18 +61,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/ku_IQ/settings.po b/l10n/ku_IQ/settings.po index 9a21f1af384..ba15b44ca9f 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -145,27 +145,27 @@ msgstr "" msgid "Groups" msgstr "" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" diff --git a/l10n/lt_LT/files_encryption.po b/l10n/lt_LT/files_encryption.po index de2cfd35f39..b8b075046ac 100644 --- a/l10n/lt_LT/files_encryption.po +++ b/l10n/lt_LT/files_encryption.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -62,18 +62,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/lt_LT/settings.po b/l10n/lt_LT/settings.po index 57e2f762a4e..a0c8555bbe5 100644 --- a/l10n/lt_LT/settings.po +++ b/l10n/lt_LT/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -146,27 +146,27 @@ msgstr "Nepavyko ištrinti vartotojo" msgid "Groups" msgstr "Grupės" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Ištrinti" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "pridėti grupę" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Vartotojo vardas turi būti tinkamas" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Klaida kuriant vartotoją" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Slaptažodis turi būti tinkamas" @@ -472,7 +472,7 @@ msgstr "" #: templates/personal.php:117 msgid "Encryption" -msgstr "" +msgstr "Šifravimas" #: templates/personal.php:119 msgid "The encryption app is no longer enabled, decrypt all your file" diff --git a/l10n/lv/files_encryption.po b/l10n/lv/files_encryption.po index 155b94c6e20..2f583edb1c2 100644 --- a/l10n/lv/files_encryption.po +++ b/l10n/lv/files_encryption.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -61,18 +61,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/lv/settings.po b/l10n/lv/settings.po index da5e348552e..cfc93b2ae11 100644 --- a/l10n/lv/settings.po +++ b/l10n/lv/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -146,27 +146,27 @@ msgstr "Nevar izņemt lietotāju" msgid "Groups" msgstr "Grupas" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Grupas administrators" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Dzēst" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "pievienot grupu" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Jānorāda derīgs lietotājvārds" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Kļūda, veidojot lietotāju" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Jānorāda derīga parole" @@ -472,7 +472,7 @@ msgstr "Lietojiet šo adresi \n" "Language-Team: Macedonian (http://www.transifex.com/projects/p/owncloud/language/mk/)\n" "MIME-Version: 1.0\n" @@ -61,18 +61,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/mk/settings.po b/l10n/mk/settings.po index 63eed628e92..77eea7f21cc 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:10+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -145,27 +145,27 @@ msgstr "" msgid "Groups" msgstr "Групи" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Администратор на група" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Избриши" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" diff --git a/l10n/nb_NO/files_encryption.po b/l10n/nb_NO/files_encryption.po index abd3cf2a7a4..1aea5d92add 100644 --- a/l10n/nb_NO/files_encryption.po +++ b/l10n/nb_NO/files_encryption.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -61,18 +61,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/nb_NO/settings.po b/l10n/nb_NO/settings.po index ee56bbd7a82..7c1c0736cfa 100644 --- a/l10n/nb_NO/settings.po +++ b/l10n/nb_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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:10+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -147,27 +147,27 @@ msgstr "Kunne ikke slette bruker" msgid "Groups" msgstr "Grupper" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Gruppeadministrator" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Slett" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "legg til gruppe" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Oppgi et gyldig brukernavn" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Feil ved oppretting av bruker" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Oppgi et gyldig passord" diff --git a/l10n/nl/files.po b/l10n/nl/files.po index 37c004124a6..154a7551d0c 100644 --- a/l10n/nl/files.po +++ b/l10n/nl/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 22:00+0000\n" +"Last-Translator: kwillems \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" @@ -101,15 +101,15 @@ msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Bestandsupload is bezig. Wanneer de pagina nu verlaten wordt, stopt de upload." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:234 js/files.js:353 msgid "URL cannot be empty." msgstr "URL kan niet leeg zijn." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:239 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Ongeldige mapnaam. Gebruik van 'Gedeeld' is voorbehouden aan Owncloud zelf" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 #: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Fout" @@ -190,7 +190,7 @@ msgstr "Uw opslagruimte zit bijna vol ({usedSpacePercent}%)" msgid "" "Encryption was disabled but your files are still encrypted. Please go to " "your personal settings to decrypt your files." -msgstr "" +msgstr "Encryptie is uitgeschakeld maar uw bestanden zijn nog steeds versleuteld. Ga naar uw persoonlijke instellingen om uw bestanden te decoderen." #: js/files.js:245 msgid "" diff --git a/l10n/nl/files_encryption.po b/l10n/nl/files_encryption.po index 67a24bf1ac1..b72cecc5040 100644 --- a/l10n/nl/files_encryption.po +++ b/l10n/nl/files_encryption.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-08-13 09:11-0400\n" -"PO-Revision-Date: 2013-08-12 10:40+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+0000\n" "Last-Translator: Len \n" "Language-Team: Dutch (http://www.transifex.com/projects/p/owncloud/language/nl/)\n" "MIME-Version: 1.0\n" @@ -63,18 +63,18 @@ msgid "" "files." msgstr "Uw privésleutel is niet geldig! Misschien was uw wachtwoord van buitenaf gewijzigd. U kunt het wachtwoord van uw privésleutel aanpassen in uw persoonlijke instellingen om toegang tot uw versleutelde bestanden te vergaren." -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "Missende benodigdheden." -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "Wees er zeker van dat PHP5.3.3 of nieuwer is geïstalleerd en dat de OpenSSL PHP extensie is ingeschakeld en correct geconfigureerd. De versleutel-app is voorlopig uitgeschakeld." -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "De volgende gebruikers hebben geen configuratie voor encryptie:" diff --git a/l10n/nl/settings.po b/l10n/nl/settings.po index ca4063b207f..f6bc680f8ed 100644 --- a/l10n/nl/settings.po +++ b/l10n/nl/settings.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:10+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -149,27 +149,27 @@ msgstr "Kon gebruiker niet verwijderen" msgid "Groups" msgstr "Groepen" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Groep beheerder" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Verwijder" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "toevoegen groep" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Er moet een geldige gebruikersnaam worden opgegeven" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Fout bij aanmaken gebruiker" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Er moet een geldig wachtwoord worden opgegeven" diff --git a/l10n/pl/files_encryption.po b/l10n/pl/files_encryption.po index 4c116aa6800..a232ad39134 100644 --- a/l10n/pl/files_encryption.po +++ b/l10n/pl/files_encryption.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-08-13 09:11-0400\n" -"PO-Revision-Date: 2013-08-13 11:50+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -62,18 +62,18 @@ msgid "" "files." msgstr "Klucz prywatny nie jest ważny! Prawdopodobnie Twoje hasło zostało zmienione poza systemem ownCloud (np. w katalogu firmy). Aby odzyskać dostęp do zaszyfrowanych plików można zaktualizować hasło klucza prywatnego w ustawieniach osobistych." -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "Brak wymagań." -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "Proszę upewnić się, że PHP 5.3.3 lub nowszy jest zainstalowany i że OpenSSL oraz rozszerzenie PHP jest włączone i poprawnie skonfigurowane. Obecnie szyfrowanie aplikacji zostało wyłączone." -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "Następujący użytkownicy nie mają skonfigurowanego szyfrowania:" diff --git a/l10n/pl/settings.po b/l10n/pl/settings.po index 43eac002a05..6f634a0dc1b 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -147,27 +147,27 @@ msgstr "Nie można usunąć użytkownika" msgid "Groups" msgstr "Grupy" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Administrator grupy" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Usuń" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "dodaj grupę" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Należy podać prawidłową nazwę użytkownika" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Błąd podczas tworzenia użytkownika" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Należy podać prawidłowe hasło" @@ -473,7 +473,7 @@ msgstr "" #: templates/personal.php:117 msgid "Encryption" -msgstr "" +msgstr "Szyfrowanie" #: templates/personal.php:119 msgid "The encryption app is no longer enabled, decrypt all your file" diff --git a/l10n/pt_BR/files_encryption.po b/l10n/pt_BR/files_encryption.po index 6b636c6d004..43542c8f6f6 100644 --- a/l10n/pt_BR/files_encryption.po +++ b/l10n/pt_BR/files_encryption.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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-09 12:30+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19: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" @@ -64,18 +64,18 @@ msgid "" "files." msgstr "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." -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "Requisitos não encontrados." -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." 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." -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "Seguintes usuários não estão configurados para criptografia:" diff --git a/l10n/pt_BR/settings.po b/l10n/pt_BR/settings.po index 7dae52323c0..674d3237b72 100644 --- a/l10n/pt_BR/settings.po +++ b/l10n/pt_BR/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-20 00:50+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" @@ -124,7 +124,7 @@ msgstr "Atualizado" #: js/personal.js:150 msgid "Decrypting files... Please wait, this can take some time." -msgstr "" +msgstr "Decriptando arquivos... Por favor aguarde, isso pode levar algum tempo." #: js/personal.js:172 msgid "Saving..." @@ -147,27 +147,27 @@ msgstr "Impossível remover usuário" msgid "Groups" msgstr "Grupos" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Grupo Administrativo" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Excluir" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "adicionar grupo" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Forneça um nome de usuário válido" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Erro ao criar usuário" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Forneça uma senha válida" @@ -473,19 +473,19 @@ msgstr "Use esse endereço para \n" "Language-Team: Portuguese (Portugal) (http://www.transifex.com/projects/p/owncloud/language/pt_PT/)\n" "MIME-Version: 1.0\n" @@ -64,18 +64,18 @@ msgid "" "files." 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 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "Faltam alguns requisitos." -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/pt_PT/settings.po b/l10n/pt_PT/settings.po index c43a1c98a2c..a22e4fc18bb 100644 --- a/l10n/pt_PT/settings.po +++ b/l10n/pt_PT/settings.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -149,27 +149,27 @@ msgstr "Não foi possível remover o utilizador" msgid "Groups" msgstr "Grupos" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Grupo Administrador" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Eliminar" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "Adicionar grupo" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Um nome de utilizador válido deve ser fornecido" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Erro a criar utilizador" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Uma password válida deve ser fornecida" @@ -475,7 +475,7 @@ msgstr "Use este endereço para \n" "Language-Team: Romanian (http://www.transifex.com/projects/p/owncloud/language/ro/)\n" "MIME-Version: 1.0\n" @@ -61,18 +61,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/ro/settings.po b/l10n/ro/settings.po index 48188399867..601eba0a05c 100644 --- a/l10n/ro/settings.po +++ b/l10n/ro/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:10+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -146,27 +146,27 @@ msgstr "Imposibil de eliminat utilizatorul" msgid "Groups" msgstr "Grupuri" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Grupul Admin " -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Șterge" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "adăugaţi grupul" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Trebuie să furnizaţi un nume de utilizator valid" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Eroare la crearea utilizatorului" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Trebuie să furnizaţi o parolă validă" diff --git a/l10n/ru/files_encryption.po b/l10n/ru/files_encryption.po index fc4c452a0a9..b3f6c241cf6 100644 --- a/l10n/ru/files_encryption.po +++ b/l10n/ru/files_encryption.po @@ -13,8 +13,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-17 10:40+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+0000\n" "Last-Translator: eurekafag \n" "Language-Team: Russian (http://www.transifex.com/projects/p/owncloud/language/ru/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/ru/settings.po b/l10n/ru/settings.po index effbf173e9d..64559aacebc 100644 --- a/l10n/ru/settings.po +++ b/l10n/ru/settings.po @@ -13,8 +13,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:10+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -151,27 +151,27 @@ msgstr "Невозможно удалить пользователя" msgid "Groups" msgstr "Группы" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Группа Администраторы" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Удалить" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "добавить группу" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Укажите правильное имя пользователя" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Ошибка создания пользователя" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Укажите валидный пароль" diff --git a/l10n/si_LK/files_encryption.po b/l10n/si_LK/files_encryption.po index 96c41e6e93e..380ffe03e8c 100644 --- a/l10n/si_LK/files_encryption.po +++ b/l10n/si_LK/files_encryption.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -61,18 +61,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/si_LK/settings.po b/l10n/si_LK/settings.po index 364c8db12f0..d80c3808036 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:10+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -145,27 +145,27 @@ msgstr "" msgid "Groups" msgstr "කණ්ඩායම්" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "කාණ්ඩ පරිපාලක" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "මකා දමන්න" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" diff --git a/l10n/sk_SK/core.po b/l10n/sk_SK/core.po index d8c9901c99f..c0bc9aaaa61 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-20 19:10+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" @@ -149,16 +149,16 @@ msgstr "pred sekundami" #: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "pred %n minútou" +msgstr[1] "pred %n minútami" +msgstr[2] "pred %n minútami" #: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "pred %n hodinou" +msgstr[1] "pred %n hodinami" +msgstr[2] "pred %n hodinami" #: js/js.js:815 msgid "today" @@ -171,9 +171,9 @@ msgstr "včera" #: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "pred %n dňom" +msgstr[1] "pred %n dňami" +msgstr[2] "pred %n dňami" #: js/js.js:818 msgid "last month" @@ -182,9 +182,9 @@ msgstr "minulý mesiac" #: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "pred %n mesiacom" +msgstr[1] "pred %n mesiacmi" +msgstr[2] "pred %n mesiacmi" #: js/js.js:820 msgid "months ago" @@ -198,23 +198,23 @@ msgstr "minulý rok" msgid "years ago" msgstr "pred rokmi" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Výber" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "Chyba pri načítaní šablóny výberu súborov" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Áno" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Nie" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Ok" @@ -381,7 +381,7 @@ msgstr "Aktualizácia bola úspešná. Presmerovávam na prihlasovaciu stránku. #: lostpassword/controller.php:61 #, php-format msgid "%s password reset" -msgstr "" +msgstr "reset hesla %s" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" @@ -582,7 +582,7 @@ msgstr "Odhlásiť" #: templates/layout.user.php:100 msgid "More apps" -msgstr "" +msgstr "Viac aplikácií" #: templates/login.php:9 msgid "Automatic logon rejected!" diff --git a/l10n/sk_SK/files.po b/l10n/sk_SK/files.po index 869a701eaab..62660788d83 100644 --- a/l10n/sk_SK/files.po +++ b/l10n/sk_SK/files.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-20 20:20+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" @@ -100,15 +100,15 @@ msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Opustenie stránky zruší práve prebiehajúce odosielanie súboru." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:234 js/files.js:353 msgid "URL cannot be empty." msgstr "URL nemôže byť prázdne." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:239 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Neplatný názov priečinka. Názov \"Shared\" je rezervovaný pre ownCloud" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 #: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Chyba" @@ -156,9 +156,9 @@ msgstr "vrátiť" #: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "Nahrávam %n súbor" +msgstr[1] "Nahrávam %n súbory" +msgstr[2] "Nahrávam %n súborov" #: js/filelist.js:518 msgid "files uploading" @@ -190,7 +190,7 @@ msgstr "Vaše úložisko je takmer plné ({usedSpacePercent}%)" msgid "" "Encryption was disabled but your files are still encrypted. Please go to " "your personal settings to decrypt your files." -msgstr "" +msgstr "Šifrovanie bolo zakázané, ale vaše súbory sú stále zašifrované. Prosím, choďte do osobného nastavenia pre dešifrovanie súborov." #: js/files.js:245 msgid "" @@ -217,16 +217,16 @@ msgstr "Upravené" #: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "%n priečinok" +msgstr[1] "%n priečinky" +msgstr[2] "%n priečinkov" #: js/files.js:784 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "%n súbor" +msgstr[1] "%n súbory" +msgstr[2] "%n súborov" #: lib/app.php:73 #, php-format diff --git a/l10n/sk_SK/files_encryption.po b/l10n/sk_SK/files_encryption.po index 06be789dd2e..40a9ba181d6 100644 --- a/l10n/sk_SK/files_encryption.po +++ b/l10n/sk_SK/files_encryption.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -62,18 +62,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/sk_SK/files_trashbin.po b/l10n/sk_SK/files_trashbin.po index 31b22df580b..488bcade2e1 100644 --- a/l10n/sk_SK/files_trashbin.po +++ b/l10n/sk_SK/files_trashbin.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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-20 19:20+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" @@ -55,16 +55,16 @@ msgstr "Zmazané" #: js/trash.js:191 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "%n priečinok" +msgstr[1] "%n priečinky" +msgstr[2] "%n priečinkov" #: js/trash.js:197 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "%n súbor" +msgstr[1] "%n súbory" +msgstr[2] "%n súborov" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/sk_SK/lib.po b/l10n/sk_SK/lib.po index ede2a4e9a36..21bd46ddf1a 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-20 16:50+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" @@ -207,14 +207,14 @@ msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -msgstr[2] "" +msgstr[2] "pred %n minútami" #: template/functions.php:82 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -msgstr[2] "" +msgstr[2] "pred %n hodinami" #: template/functions.php:83 msgid "today" @@ -229,7 +229,7 @@ msgid "%n day go" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -msgstr[2] "" +msgstr[2] "pred %n dňami" #: template/functions.php:86 msgid "last month" @@ -240,7 +240,7 @@ msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -msgstr[2] "" +msgstr[2] "pred %n mesiacmi" #: template/functions.php:88 msgid "last year" diff --git a/l10n/sk_SK/settings.po b/l10n/sk_SK/settings.po index d32db56a5de..d20e60bd691 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-20 19:40+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" @@ -123,7 +123,7 @@ msgstr "Aktualizované" #: js/personal.js:150 msgid "Decrypting files... Please wait, this can take some time." -msgstr "" +msgstr "Dešifrujem súbory ... Počkajte prosím, môže to chvíľu trvať." #: js/personal.js:172 msgid "Saving..." @@ -146,27 +146,27 @@ msgstr "Nemožno odobrať používateľa" msgid "Groups" msgstr "Skupiny" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Správca skupiny" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Zmazať" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "pridať skupinu" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Musíte zadať platné používateľské meno" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Chyba pri vytváraní používateľa" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Musíte zadať platné heslo" @@ -185,7 +185,7 @@ msgid "" "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 "" +msgstr "Váš priečinok s dátami aj vaše súbory sú pravdepodobne prístupné z internetu. Súbor .htaccess nefunguje. Odporúčame nakonfigurovať webový server tak, aby priečinok s dátami nebol naďalej prístupný, alebo presunúť priečinok s dátami mimo priestor sprístupňovaný webovým serverom." #: templates/admin.php:29 msgid "Setup Warning" @@ -200,7 +200,7 @@ msgstr "Váš webový server nie je správne nastavený na synchronizáciu, pret #: templates/admin.php:33 #, php-format msgid "Please double check the installation guides." -msgstr "" +msgstr "Skontrolujte prosím znovu inštalačnú príručku." #: templates/admin.php:44 msgid "Module 'fileinfo' missing" @@ -222,7 +222,7 @@ msgid "" "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." -msgstr "" +msgstr "Systémové nastavenie lokalizácie nemohlo byť nastavené na %s. To znamená, že sa môžu vyskytnúť problémy s niektorými znakmi v názvoch súborov. Odporúčame nainštalovať do vášho systému balíčky potrebné pre podporu %s." #: templates/admin.php:75 msgid "Internet connection not working" @@ -235,7 +235,7 @@ msgid "" "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." -msgstr "" +msgstr "Server nemá funkčné pripojenie k internetu. Niektoré moduly ako napr. externé úložisko, oznámenie o dostupných aktualizáciách alebo inštalácia aplikácií tretích strán nebudú fungovať. Prístup k súborom z iných miest a odosielanie oznamovacích emailov tiež nemusí fungovať. Ak chcete využívať všetky vlastnosti ownCloudu, odporúčame povoliť pripojenie k internetu tomuto serveru." #: templates/admin.php:92 msgid "Cron" @@ -249,11 +249,11 @@ msgstr "Vykonať jednu úlohu s každým načítaní stránky" msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." -msgstr "" +msgstr "cron.php je registrovaný v službe webcron na zavolanie stránky cron.php raz za minútu cez HTTP." #: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." -msgstr "" +msgstr "Použiť systémovú službu cron na spustenie súboru cron.php raz za minútu." #: templates/admin.php:120 msgid "Sharing" @@ -277,12 +277,12 @@ msgstr "Povoliť používateľom zdieľať položky pre verejnosť cez odkazy" #: templates/admin.php:143 msgid "Allow public uploads" -msgstr "" +msgstr "Povoliť verejné nahrávanie súborov" #: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" -msgstr "" +msgstr "Povoliť používateľom umožniť iným používateľom nahrávať do ich zdieľaného priečinka" #: templates/admin.php:152 msgid "Allow resharing" @@ -311,14 +311,14 @@ msgstr "Vynútiť HTTPS" #: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." -msgstr "" +msgstr "Vynúti pripájanie klientov k %s šifrovaným pripojením." #: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." -msgstr "" +msgstr "Pripojte sa k %s cez HTTPS pre povolenie alebo zakázanie vynútenia SSL." #: templates/admin.php:203 msgid "Log" @@ -480,11 +480,11 @@ msgstr "" #: templates/personal.php:125 msgid "Log-in password" -msgstr "" +msgstr "Prihlasovacie heslo" #: templates/personal.php:130 msgid "Decrypt all Files" -msgstr "" +msgstr "Dešifrovať všetky súbory" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/sl/files_encryption.po b/l10n/sl/files_encryption.po index 4ad47a20489..dce60f89a05 100644 --- a/l10n/sl/files_encryption.po +++ b/l10n/sl/files_encryption.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-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-11 08:50+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+0000\n" "Last-Translator: barbarak \n" "Language-Team: Slovenian (http://www.transifex.com/projects/p/owncloud/language/sl/)\n" "MIME-Version: 1.0\n" @@ -62,18 +62,18 @@ msgid "" "files." msgstr "Vaš zasebni ključ ni veljaven. Morda je bilo vaše geslo spremenjeno zunaj sistema ownCloud (npr. v skupnem imeniku). Svoj zasebni ključ, ki vam bo omogočil dostop do šifriranih dokumentov, lahko posodobite v osebnih nastavitvah." -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "Manjkajoče zahteve" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "Preverite, da imate na strežniku nameščen paket PHP 5.3.3 ali novejši in da je omogočen in pravilno nastavljen PHP OpenSSL . Zaenkrat je šifriranje onemogočeno." -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "Naslednji uporabniki še nimajo nastavljenega šifriranja:" diff --git a/l10n/sl/settings.po b/l10n/sl/settings.po index e2de63cda07..9b0ecf0db04 100644 --- a/l10n/sl/settings.po +++ b/l10n/sl/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:10+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -147,27 +147,27 @@ msgstr "Uporabnika ni mogoče odstraniti" msgid "Groups" msgstr "Skupine" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Skrbnik skupine" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Izbriši" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "dodaj skupino" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Navedeno mora biti veljavno uporabniško ime" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Napaka ustvarjanja uporabnika" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Navedeno mora biti veljavno geslo" diff --git a/l10n/sr/files_encryption.po b/l10n/sr/files_encryption.po index 85eb46828ff..04b3da34ccd 100644 --- a/l10n/sr/files_encryption.po +++ b/l10n/sr/files_encryption.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -61,18 +61,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/sr/settings.po b/l10n/sr/settings.po index 952338863bd..f6e0850c9f0 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:10+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -145,27 +145,27 @@ msgstr "Не могу да уклоним корисника" msgid "Groups" msgstr "Групе" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Управник групе" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Обриши" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "додај групу" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Морате унети исправно корисничко име" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Грешка при прављењу корисника" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Морате унети исправну лозинку" diff --git a/l10n/sv/files.po b/l10n/sv/files.po index 4536bbd77eb..dbc15ef9f33 100644 --- a/l10n/sv/files.po +++ b/l10n/sv/files.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 20:40+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" @@ -103,15 +103,15 @@ msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Filuppladdning pågår. Lämnar du sidan så avbryts uppladdningen." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:234 js/files.js:353 msgid "URL cannot be empty." msgstr "URL kan inte vara tom." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:239 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Ogiltigt mappnamn. Användning av 'Shared' är reserverad av ownCloud" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 #: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Fel" @@ -192,7 +192,7 @@ msgstr "Ditt lagringsutrymme är nästan fullt ({usedSpacePercent}%)" msgid "" "Encryption was disabled but your files are still encrypted. Please go to " "your personal settings to decrypt your files." -msgstr "" +msgstr "Kryptering inaktiverades men dina filer är fortfarande krypterade. Vänligen gå till sidan för dina personliga inställningar för att dekryptera dina filer." #: js/files.js:245 msgid "" diff --git a/l10n/sv/files_encryption.po b/l10n/sv/files_encryption.po index 53394af770a..c5524af8443 100644 --- a/l10n/sv/files_encryption.po +++ b/l10n/sv/files_encryption.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-11 08:07-0400\n" -"PO-Revision-Date: 2013-08-09 12:41+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+0000\n" "Last-Translator: Magnus Höglund \n" "Language-Team: Swedish (http://www.transifex.com/projects/p/owncloud/language/sv/)\n" "MIME-Version: 1.0\n" @@ -65,18 +65,18 @@ msgid "" "files." msgstr "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." -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "Krav som saknas" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "Kontrollera att PHP 5.3.3 eller senare är installerad och att tillägget OpenSSL PHP är aktiverad och korrekt konfigurerad. Kryptering är tillsvidare inaktiverad." -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "Följande användare har inte aktiverat kryptering:" diff --git a/l10n/sv/settings.po b/l10n/sv/settings.po index 02e7554291e..b27f9bed237 100644 --- a/l10n/sv/settings.po +++ b/l10n/sv/settings.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:10+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 20:40+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" @@ -128,7 +128,7 @@ msgstr "Uppdaterad" #: js/personal.js:150 msgid "Decrypting files... Please wait, this can take some time." -msgstr "" +msgstr "Dekrypterar filer... Vänligen vänta, detta kan ta en stund." #: js/personal.js:172 msgid "Saving..." @@ -151,27 +151,27 @@ msgstr "Kan inte ta bort användare" msgid "Groups" msgstr "Grupper" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Gruppadministratör" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Radera" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "lägg till grupp" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Ett giltigt användarnamn måste anges" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Fel vid skapande av användare" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Ett giltigt lösenord måste anges" @@ -481,15 +481,15 @@ msgstr "Kryptering" #: templates/personal.php:119 msgid "The encryption app is no longer enabled, decrypt all your file" -msgstr "" +msgstr "Appen för kryptering är inte längre aktiverad, dekryptera alla dina filer" #: templates/personal.php:125 msgid "Log-in password" -msgstr "" +msgstr "Inloggningslösenord" #: templates/personal.php:130 msgid "Decrypt all Files" -msgstr "" +msgstr "Dekryptera alla filer" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/ta_LK/files_encryption.po b/l10n/ta_LK/files_encryption.po index c6a45e1e115..6c36776c8a3 100644 --- a/l10n/ta_LK/files_encryption.po +++ b/l10n/ta_LK/files_encryption.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -61,18 +61,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/ta_LK/settings.po b/l10n/ta_LK/settings.po index b0e1e81bc0d..100e5e64d7b 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -145,27 +145,27 @@ msgstr "" msgid "Groups" msgstr "குழுக்கள்" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "குழு நிர்வாகி" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "நீக்குக" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" diff --git a/l10n/templates/core.pot b/l10n/templates/core.pot index 4400ea2aa0f..1a57242cca1 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-08-19 15:06-0400\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -194,23 +194,23 @@ msgstr "" msgid "years ago" msgstr "" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "" diff --git a/l10n/templates/files.pot b/l10n/templates/files.pot index 7b6e8fb45bb..29862b75cb9 100644 --- a/l10n/templates/files.pot +++ b/l10n/templates/files.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-08-19 15:06-0400\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -100,15 +100,15 @@ msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "" -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:234 js/files.js:353 msgid "URL cannot be empty." msgstr "" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:239 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 #: js/files.js:709 js/files.js:747 msgid "Error" msgstr "" diff --git a/l10n/templates/files_encryption.pot b/l10n/templates/files_encryption.pot index 11db26b6ce7..9cccdf810a0 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-08-19 15:06-0400\n" +"POT-Creation-Date: 2013-08-21 08:10-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 fdf6f45f71d..34bc7048449 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-08-19 15:06-0400\n" +"POT-Creation-Date: 2013-08-21 08:11-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_sharing.pot b/l10n/templates/files_sharing.pot index 276ca9b375f..5c93717853e 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-08-19 15:06-0400\n" +"POT-Creation-Date: 2013-08-21 08:11-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_trashbin.pot b/l10n/templates/files_trashbin.pot index c7ddd8db2e3..129b2d26018 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-08-19 15:06-0400\n" +"POT-Creation-Date: 2013-08-21 08:11-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 e0045fe2000..f91a312ab5c 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-08-19 15:06-0400\n" +"POT-Creation-Date: 2013-08-21 08:11-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 feac1345df6..ac456572bbc 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-08-19 15:06-0400\n" +"POT-Creation-Date: 2013-08-21 08:11-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/settings.pot b/l10n/templates/settings.pot index 43f4957beb8..70239706f10 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-08-19 15:06-0400\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -145,27 +145,27 @@ msgstr "" msgid "Groups" msgstr "" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" diff --git a/l10n/templates/user_ldap.pot b/l10n/templates/user_ldap.pot index d018b9ae41a..d31888dd24a 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-08-19 15:06-0400\n" +"POT-Creation-Date: 2013-08-21 08:11-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 c01c52791db..5770e80c497 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-08-19 15:06-0400\n" +"POT-Creation-Date: 2013-08-21 08:11-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/files_encryption.po b/l10n/th_TH/files_encryption.po index 91f26a124e1..84ab71bdb07 100644 --- a/l10n/th_TH/files_encryption.po +++ b/l10n/th_TH/files_encryption.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -61,18 +61,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/th_TH/settings.po b/l10n/th_TH/settings.po index 88fecedbf1f..a95d52b2b8d 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -145,27 +145,27 @@ msgstr "" msgid "Groups" msgstr "กลุ่ม" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "ผู้ดูแลกลุ่ม" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "ลบ" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" @@ -471,7 +471,7 @@ msgstr "" #: templates/personal.php:117 msgid "Encryption" -msgstr "" +msgstr "การเข้ารหัส" #: templates/personal.php:119 msgid "The encryption app is no longer enabled, decrypt all your file" diff --git a/l10n/tr/files_encryption.po b/l10n/tr/files_encryption.po index 9909513fdba..9bd94afdb89 100644 --- a/l10n/tr/files_encryption.po +++ b/l10n/tr/files_encryption.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -62,18 +62,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/tr/settings.po b/l10n/tr/settings.po index 60cc454946e..046cf20bcf1 100644 --- a/l10n/tr/settings.po +++ b/l10n/tr/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -147,27 +147,27 @@ msgstr "Kullanıcı kaldırılamıyor" msgid "Groups" msgstr "Gruplar" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Yönetici Grubu " -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Sil" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "grup ekle" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Geçerli bir kullanıcı adı mutlaka sağlanmalı" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Kullanıcı oluşturulurken hata" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Geçerli bir parola mutlaka sağlanmalı" @@ -473,7 +473,7 @@ msgstr " \n" "Language-Team: Uighur \n" "MIME-Version: 1.0\n" @@ -61,18 +61,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/ug/settings.po b/l10n/ug/settings.po index 2dc8878719b..d9e44036def 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:10+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+0000\n" "Last-Translator: I Robot \n" "Language-Team: Uighur \n" "MIME-Version: 1.0\n" @@ -145,27 +145,27 @@ msgstr "ئىشلەتكۈچىنى چىقىرىۋېتەلمەيدۇ" msgid "Groups" msgstr "گۇرۇپپا" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "گۇرۇپپا باشقۇرغۇچى" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "ئۆچۈر" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "گۇرۇپپا قوش" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" diff --git a/l10n/uk/files_encryption.po b/l10n/uk/files_encryption.po index e101895485d..a75abaf30c8 100644 --- a/l10n/uk/files_encryption.po +++ b/l10n/uk/files_encryption.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -61,18 +61,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/uk/settings.po b/l10n/uk/settings.po index 6380e01e2d0..8ccc7cda793 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:10+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -145,27 +145,27 @@ msgstr "Неможливо видалити користувача" msgid "Groups" msgstr "Групи" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Адміністратор групи" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Видалити" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "додати групу" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Потрібно задати вірне ім'я користувача" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Помилка при створенні користувача" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Потрібно задати вірний пароль" diff --git a/l10n/vi/files_encryption.po b/l10n/vi/files_encryption.po index f50c77440eb..aeea77799a9 100644 --- a/l10n/vi/files_encryption.po +++ b/l10n/vi/files_encryption.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -62,18 +62,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/vi/settings.po b/l10n/vi/settings.po index e1945681e59..fd639946870 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:10+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -145,27 +145,27 @@ msgstr "" msgid "Groups" msgstr "Nhóm" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Nhóm quản trị" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Xóa" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" diff --git a/l10n/zh_CN.GB2312/files_encryption.po b/l10n/zh_CN.GB2312/files_encryption.po index 3521b46141c..5d2f51942f6 100644 --- a/l10n/zh_CN.GB2312/files_encryption.po +++ b/l10n/zh_CN.GB2312/files_encryption.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -61,18 +61,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/zh_CN.GB2312/settings.po b/l10n/zh_CN.GB2312/settings.po index a69fb19b320..1779b0427de 100644 --- a/l10n/zh_CN.GB2312/settings.po +++ b/l10n/zh_CN.GB2312/settings.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -148,27 +148,27 @@ msgstr "无法移除用户" msgid "Groups" msgstr "群组" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "群组管理员" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "删除" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "添加群组" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "请填写有效用户名" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "新增用户时出现错误" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "请填写有效密码" @@ -474,7 +474,7 @@ msgstr "访问WebDAV请点击 \n" "Language-Team: Chinese (China) (http://www.transifex.com/projects/p/owncloud/language/zh_CN/)\n" "MIME-Version: 1.0\n" @@ -64,18 +64,18 @@ msgid "" "files." msgstr "您的私有密钥无效!也许是您在 ownCloud 系统外更改了密码 (比如,在您的公司目录)。您可以在个人设置里更新您的私钥密码来恢复访问你的加密文件。" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/zh_CN/settings.po b/l10n/zh_CN/settings.po index 6e9abe68c0e..9dcf1c56847 100644 --- a/l10n/zh_CN/settings.po +++ b/l10n/zh_CN/settings.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -149,27 +149,27 @@ msgstr "无法移除用户" msgid "Groups" msgstr "组" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "组管理员" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "删除" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "添加组" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "必须提供合法的用户名" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "创建用户出错" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "必须提供合法的密码" diff --git a/l10n/zh_HK/files_encryption.po b/l10n/zh_HK/files_encryption.po index 11cc05eff70..f1049dc1eb6 100644 --- a/l10n/zh_HK/files_encryption.po +++ b/l10n/zh_HK/files_encryption.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -61,18 +61,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/zh_HK/settings.po b/l10n/zh_HK/settings.po index f42914d39a8..23427516418 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -145,27 +145,27 @@ msgstr "" msgid "Groups" msgstr "群組" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "刪除" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" @@ -471,7 +471,7 @@ msgstr "" #: templates/personal.php:117 msgid "Encryption" -msgstr "" +msgstr "加密" #: templates/personal.php:119 msgid "The encryption app is no longer enabled, decrypt all your file" diff --git a/l10n/zh_TW/files_encryption.po b/l10n/zh_TW/files_encryption.po index dc9c9cf7a76..2adbae532d9 100644 --- a/l10n/zh_TW/files_encryption.po +++ b/l10n/zh_TW/files_encryption.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-08-09 07:59-0400\n" -"PO-Revision-Date: 2013-08-09 11:59+0000\n" +"POT-Creation-Date: 2013-08-21 08:10-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -63,18 +63,18 @@ msgid "" "files." msgstr "您的私鑰不正確! 感覺像是密碼在 ownCloud 系統之外被改變(例:您的目錄)。 您可以在個人設定中更新私鑰密碼取回已加密的檔案。" -#: hooks/hooks.php:44 +#: hooks/hooks.php:41 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:45 +#: hooks/hooks.php:42 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:263 +#: hooks/hooks.php:249 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/zh_TW/settings.po b/l10n/zh_TW/settings.po index d58f0472f63..dd203a6e97a 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:10+0000\n" +"POT-Creation-Date: 2013-08-21 08:11-0400\n" +"PO-Revision-Date: 2013-08-19 19:20+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" @@ -146,27 +146,27 @@ msgstr "無法刪除用戶" msgid "Groups" msgstr "群組" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "群組管理員" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "刪除" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "新增群組" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "必須提供一個有效的用戶名" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "建立用戶時出現錯誤" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "一定要提供一個有效的密碼" diff --git a/lib/l10n/sk_SK.php b/lib/l10n/sk_SK.php index 43a4b4a0bee..4101af247c2 100644 --- a/lib/l10n/sk_SK.php +++ b/lib/l10n/sk_SK.php @@ -40,13 +40,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Váš webový server nie je správne nastavený na synchronizáciu, pretože rozhranie WebDAV je poškodené.", "Please double check the installation guides." => "Prosím skontrolujte inštalačnú príručku.", "seconds ago" => "pred sekundami", -"_%n minute ago_::_%n minutes ago_" => array("","",""), -"_%n hour ago_::_%n hours ago_" => array("","",""), +"_%n minute ago_::_%n minutes ago_" => array("","","pred %n minútami"), +"_%n hour ago_::_%n hours ago_" => array("","","pred %n hodinami"), "today" => "dnes", "yesterday" => "včera", -"_%n day go_::_%n days ago_" => array("","",""), +"_%n day go_::_%n days ago_" => array("","","pred %n dňami"), "last month" => "minulý mesiac", -"_%n month ago_::_%n months ago_" => array("","",""), +"_%n month ago_::_%n months ago_" => array("","","pred %n mesiacmi"), "last year" => "minulý rok", "years ago" => "pred rokmi", "Caused by:" => "Príčina:", diff --git a/settings/l10n/bg_BG.php b/settings/l10n/bg_BG.php index d7b892bcca7..717cf6baae5 100644 --- a/settings/l10n/bg_BG.php +++ b/settings/l10n/bg_BG.php @@ -52,6 +52,7 @@ $TRANSLATIONS = array( "Language" => "Език", "Help translate" => "Помогнете с превода", "WebDAV" => "WebDAV", +"Encryption" => "Криптиране", "Login Name" => "Потребител", "Create" => "Създаване", "Default Storage" => "Хранилище по подразбиране", diff --git a/settings/l10n/ca.php b/settings/l10n/ca.php index 52dec3a892e..59201224a4a 100644 --- a/settings/l10n/ca.php +++ b/settings/l10n/ca.php @@ -102,6 +102,7 @@ $TRANSLATIONS = array( "Help translate" => "Ajudeu-nos amb la traducció", "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Useu aquesta adreça per accedir als fitxers via WebDAV", +"Encryption" => "Xifrat", "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 051a6a1b74f..1d6c3080a67 100644 --- a/settings/l10n/cs_CZ.php +++ b/settings/l10n/cs_CZ.php @@ -25,6 +25,7 @@ $TRANSLATIONS = array( "Updating...." => "Aktualizuji...", "Error while updating app" => "Chyba při aktualizaci aplikace", "Updated" => "Aktualizováno", +"Decrypting files... Please wait, this can take some time." => "Probíhá odšifrování souborů... Prosíme počkejte, tato operace může trvat několik minut.", "Saving..." => "Ukládám...", "deleted" => "smazáno", "undo" => "vrátit zpět", @@ -103,6 +104,9 @@ $TRANSLATIONS = array( "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Použijte tuto adresu pro přístup k vašim souborům přes WebDAV", "Encryption" => "Šifrování", +"The encryption app is no longer enabled, decrypt all your file" => "Šifrovací aplikace již není spuštěna, odšifrujte všechny své soubory", +"Log-in password" => "Heslo pro přihlášení", +"Decrypt all Files" => "Odšifrovat všechny soubory", "Login Name" => "Přihlašovací jméno", "Create" => "Vytvořit", "Admin Recovery Password" => "Heslo obnovy správce", diff --git a/settings/l10n/cy_GB.php b/settings/l10n/cy_GB.php index b18ace86698..da8d02a9e40 100644 --- a/settings/l10n/cy_GB.php +++ b/settings/l10n/cy_GB.php @@ -12,6 +12,7 @@ $TRANSLATIONS = array( "Password" => "Cyfrinair", "New password" => "Cyfrinair newydd", "Email" => "E-bost", +"Encryption" => "Amgryptiad", "Other" => "Arall", "Username" => "Enw defnyddiwr" ); diff --git a/settings/l10n/da.php b/settings/l10n/da.php index b26f968f42f..2d549ed86bf 100644 --- a/settings/l10n/da.php +++ b/settings/l10n/da.php @@ -25,6 +25,7 @@ $TRANSLATIONS = array( "Updating...." => "Opdaterer....", "Error while updating app" => "Der opstod en fejl under app opgraderingen", "Updated" => "Opdateret", +"Decrypting files... Please wait, this can take some time." => "Dekryptere filer... Vent venligst, dette kan tage lang tid. ", "Saving..." => "Gemmer...", "deleted" => "Slettet", "undo" => "fortryd", @@ -103,6 +104,9 @@ $TRANSLATIONS = array( "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Anvend denne adresse til at tilgå dine filer via WebDAV", "Encryption" => "Kryptering", +"The encryption app is no longer enabled, decrypt all your file" => "Krypterings app'en er ikke længere aktiv. Dekrypter alle dine filer. ", +"Log-in password" => "Log-in kodeord", +"Decrypt all Files" => "Dekrypter alle Filer ", "Login Name" => "Loginnavn", "Create" => "Ny", "Admin Recovery Password" => "Administrator gendannelse kodeord", diff --git a/settings/l10n/de.php b/settings/l10n/de.php index a195858773d..110eaaf52dd 100644 --- a/settings/l10n/de.php +++ b/settings/l10n/de.php @@ -25,6 +25,7 @@ $TRANSLATIONS = array( "Updating...." => "Aktualisierung...", "Error while updating app" => "Fehler beim Aktualisieren der App", "Updated" => "Aktualisiert", +"Decrypting files... Please wait, this can take some time." => "Entschlüssle Dateien ... Bitte warten, denn dieser Vorgang kann einige Zeit beanspruchen.", "Saving..." => "Speichern...", "deleted" => "gelöscht", "undo" => "rückgängig machen", @@ -102,6 +103,10 @@ $TRANSLATIONS = array( "Help translate" => "Hilf bei der Übersetzung", "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Verwenden Sie diese Adresse, um via WebDAV auf Ihre Dateien zuzugreifen", +"Encryption" => "Verschlüsselung", +"The encryption app is no longer enabled, decrypt all your file" => "Die Anwendung zur Verschlüsselung ist nicht länger aktiv, all Ihre Dateien werden entschlüsselt.", +"Log-in password" => "Login-Passwort", +"Decrypt all Files" => "Alle Dateien entschlüsseln", "Login Name" => "Loginname", "Create" => "Anlegen", "Admin Recovery Password" => "Admin-Wiederherstellungspasswort", diff --git a/settings/l10n/de_CH.php b/settings/l10n/de_CH.php index d874eafd3bf..b4c6f98edc3 100644 --- a/settings/l10n/de_CH.php +++ b/settings/l10n/de_CH.php @@ -102,6 +102,7 @@ $TRANSLATIONS = array( "Help translate" => "Helfen Sie bei der Übersetzung", "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Verwenden Sie diese Adresse, um auf ihre Dateien per WebDAV zuzugreifen.", +"Encryption" => "Verschlüsselung", "Login Name" => "Loginname", "Create" => "Erstellen", "Admin Recovery Password" => "Admin-Passwort-Wiederherstellung", diff --git a/settings/l10n/de_DE.php b/settings/l10n/de_DE.php index 2347d60de4d..cbf4e01c6a2 100644 --- a/settings/l10n/de_DE.php +++ b/settings/l10n/de_DE.php @@ -25,6 +25,7 @@ $TRANSLATIONS = array( "Updating...." => "Update...", "Error while updating app" => "Es ist ein Fehler während des Updates aufgetreten", "Updated" => "Aktualisiert", +"Decrypting files... Please wait, this can take some time." => "Entschlüssle Dateien ... Bitte warten Sie, denn dieser Vorgang kann einige Zeit beanspruchen.", "Saving..." => "Speichern...", "deleted" => "gelöscht", "undo" => "rückgängig machen", @@ -103,6 +104,9 @@ $TRANSLATIONS = array( "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Verwenden Sie diese Adresse, um auf ihre Dateien per WebDAV zuzugreifen.", "Encryption" => "Verschlüsselung", +"The encryption app is no longer enabled, decrypt all your file" => "Die Anwendung zur Verschlüsselung ist nicht länger aktiv, all Ihre Dateien werden entschlüsselt. ", +"Log-in password" => "Login-Passwort", +"Decrypt all Files" => "Alle Dateien entschlüsseln", "Login Name" => "Loginname", "Create" => "Erstellen", "Admin Recovery Password" => "Admin-Passwort-Wiederherstellung", diff --git a/settings/l10n/el.php b/settings/l10n/el.php index 194e8a61d3d..2c4bdffb742 100644 --- a/settings/l10n/el.php +++ b/settings/l10n/el.php @@ -92,6 +92,7 @@ $TRANSLATIONS = array( "Help translate" => "Βοηθήστε στη μετάφραση", "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Χρήση αυτής της διεύθυνσης για πρόσβαση των αρχείων σας μέσω WebDAV", +"Encryption" => "Κρυπτογράφηση", "Login Name" => "Όνομα Σύνδεσης", "Create" => "Δημιουργία", "Admin Recovery Password" => "Κωδικός Επαναφοράς Διαχειριστή ", diff --git a/settings/l10n/es_AR.php b/settings/l10n/es_AR.php index fad7e52b91c..fdf0f75fe08 100644 --- a/settings/l10n/es_AR.php +++ b/settings/l10n/es_AR.php @@ -94,6 +94,7 @@ $TRANSLATIONS = array( "Help translate" => "Ayudanos a traducir", "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Usá esta dirección para acceder a tus archivos a través de WebDAV", +"Encryption" => "Encriptación", "Login Name" => "Nombre de Usuario", "Create" => "Crear", "Admin Recovery Password" => "Recuperación de contraseña de administrador", diff --git a/settings/l10n/gl.php b/settings/l10n/gl.php index 85e40f07638..10f90c89b1a 100644 --- a/settings/l10n/gl.php +++ b/settings/l10n/gl.php @@ -25,6 +25,7 @@ $TRANSLATIONS = array( "Updating...." => "Actualizando...", "Error while updating app" => "Produciuse un erro mentres actualizaba o aplicativo", "Updated" => "Actualizado", +"Decrypting files... Please wait, this can take some time." => "Descifrando ficheiros... isto pode levar un anaco.", "Saving..." => "Gardando...", "deleted" => "eliminado", "undo" => "desfacer", @@ -102,6 +103,10 @@ $TRANSLATIONS = array( "Help translate" => "Axude na tradución", "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Empregue esta ligazón para acceder aos sus ficheiros mediante WebDAV", +"Encryption" => "Cifrado", +"The encryption app is no longer enabled, decrypt all your file" => "o aplicativo de cifrado non está activado, descifrar todos os ficheiros", +"Log-in password" => "Contrasinal de acceso", +"Decrypt all Files" => "Descifrar todos os ficheiros", "Login Name" => "Nome de acceso", "Create" => "Crear", "Admin Recovery Password" => "Contrasinal de recuperación do administrador", diff --git a/settings/l10n/hu_HU.php b/settings/l10n/hu_HU.php index cfc6eff5638..997c699ddbb 100644 --- a/settings/l10n/hu_HU.php +++ b/settings/l10n/hu_HU.php @@ -102,6 +102,7 @@ $TRANSLATIONS = array( "Help translate" => "Segítsen a fordításban!", "WebDAV" => "WebDAV", "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", +"Encryption" => "Titkosítás", "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/ja_JP.php b/settings/l10n/ja_JP.php index 2fbe05befa9..6a090c4e01c 100644 --- a/settings/l10n/ja_JP.php +++ b/settings/l10n/ja_JP.php @@ -25,6 +25,7 @@ $TRANSLATIONS = array( "Updating...." => "更新中....", "Error while updating app" => "アプリの更新中にエラーが発生", "Updated" => "更新済み", +"Decrypting files... Please wait, this can take some time." => "ファイルを複合中... しばらくお待ちください、この処理には少し時間がかかるかもしれません。", "Saving..." => "保存中...", "deleted" => "削除", "undo" => "元に戻す", @@ -102,6 +103,10 @@ $TRANSLATIONS = array( "Help translate" => "翻訳に協力する", "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "WebDAV経由でファイルにアクセスするにはこのアドレスを利用してください", +"Encryption" => "暗号化", +"The encryption app is no longer enabled, decrypt all your file" => "暗号化アプリはもはや有効ではありません、すべてのファイルを複合してください", +"Log-in password" => "ログインパスワード", +"Decrypt all Files" => "すべてのファイルを複合する", "Login Name" => "ログイン名", "Create" => "作成", "Admin Recovery Password" => "管理者復旧パスワード", diff --git a/settings/l10n/ka_GE.php b/settings/l10n/ka_GE.php index 09a948a0574..6519f239b82 100644 --- a/settings/l10n/ka_GE.php +++ b/settings/l10n/ka_GE.php @@ -91,6 +91,7 @@ $TRANSLATIONS = array( "Language" => "ენა", "Help translate" => "თარგმნის დახმარება", "WebDAV" => "WebDAV", +"Encryption" => "ენკრიპცია", "Login Name" => "მომხმარებლის სახელი", "Create" => "შექმნა", "Default Storage" => "საწყისი საცავი", diff --git a/settings/l10n/lt_LT.php b/settings/l10n/lt_LT.php index 4e419112a02..016a4fe6472 100644 --- a/settings/l10n/lt_LT.php +++ b/settings/l10n/lt_LT.php @@ -65,6 +65,7 @@ $TRANSLATIONS = array( "Language" => "Kalba", "Help translate" => "Padėkite išversti", "WebDAV" => "WebDAV", +"Encryption" => "Šifravimas", "Login Name" => "Vartotojo vardas", "Create" => "Sukurti", "Unlimited" => "Neribota", diff --git a/settings/l10n/lv.php b/settings/l10n/lv.php index 57b9f654c19..e9e4b335d9d 100644 --- a/settings/l10n/lv.php +++ b/settings/l10n/lv.php @@ -102,6 +102,7 @@ $TRANSLATIONS = array( "Help translate" => "Palīdzi tulkot", "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Lietojiet šo adresi lai piekļūtu saviem failiem ar WebDAV", +"Encryption" => "Šifrēšana", "Login Name" => "Ierakstīšanās vārds", "Create" => "Izveidot", "Admin Recovery Password" => "Administratora atgūšanas parole", diff --git a/settings/l10n/pl.php b/settings/l10n/pl.php index 2c4990b285d..eb8422631f9 100644 --- a/settings/l10n/pl.php +++ b/settings/l10n/pl.php @@ -94,6 +94,7 @@ $TRANSLATIONS = array( "Language" => "Język", "Help translate" => "Pomóż w tłumaczeniu", "WebDAV" => "WebDAV", +"Encryption" => "Szyfrowanie", "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 a46d6e22bde..dfd4649772c 100644 --- a/settings/l10n/pt_BR.php +++ b/settings/l10n/pt_BR.php @@ -25,6 +25,7 @@ $TRANSLATIONS = array( "Updating...." => "Atualizando...", "Error while updating app" => "Erro ao atualizar aplicativo", "Updated" => "Atualizado", +"Decrypting files... Please wait, this can take some time." => "Decriptando arquivos... Por favor aguarde, isso pode levar algum tempo.", "Saving..." => "Salvando...", "deleted" => "excluído", "undo" => "desfazer", @@ -102,6 +103,10 @@ $TRANSLATIONS = array( "Help translate" => "Ajude a traduzir", "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Use esse endereço para acessar seus arquivos via WebDAV", +"Encryption" => "Criptografia", +"The encryption app is no longer enabled, decrypt all your file" => "O aplicativo de encriptação não está mais ativo, decripti todos os seus arquivos", +"Log-in password" => "Senha de login", +"Decrypt all Files" => "Decripti todos os Arquivos", "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 84d70b6ae7e..2962fb7f5ab 100644 --- a/settings/l10n/pt_PT.php +++ b/settings/l10n/pt_PT.php @@ -102,6 +102,7 @@ $TRANSLATIONS = array( "Help translate" => "Ajude a traduzir", "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Use este endereço para aceder aos seus ficheiros via WebDav", +"Encryption" => "Encriptação", "Login Name" => "Nome de utilizador", "Create" => "Criar", "Admin Recovery Password" => "Recuperar password de administrador", diff --git a/settings/l10n/sk_SK.php b/settings/l10n/sk_SK.php index b0a270a65ec..bd7cdd46951 100644 --- a/settings/l10n/sk_SK.php +++ b/settings/l10n/sk_SK.php @@ -25,6 +25,7 @@ $TRANSLATIONS = array( "Updating...." => "Aktualizujem...", "Error while updating app" => "chyba pri aktualizácii aplikácie", "Updated" => "Aktualizované", +"Decrypting files... Please wait, this can take some time." => "Dešifrujem súbory ... Počkajte prosím, môže to chvíľu trvať.", "Saving..." => "Ukladám...", "deleted" => "zmazané", "undo" => "vrátiť", @@ -38,25 +39,35 @@ $TRANSLATIONS = array( "A valid password must be provided" => "Musíte zadať platné heslo", "__language_name__" => "Slovensky", "Security Warning" => "Bezpečnostné varovanie", +"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." => "Váš priečinok s dátami aj vaše súbory sú pravdepodobne prístupné z internetu. Súbor .htaccess nefunguje. Odporúčame nakonfigurovať webový server tak, aby priečinok s dátami nebol naďalej prístupný, alebo presunúť priečinok s dátami mimo priestor sprístupňovaný webovým serverom.", "Setup Warning" => "Nastavenia oznámení", "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Váš webový server nie je správne nastavený na synchronizáciu, pretože rozhranie WebDAV je poškodené.", +"Please double check the installation guides." => "Skontrolujte prosím znovu inštalačnú príručku.", "Module 'fileinfo' missing" => "Chýba modul 'fileinfo'", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with mime-type detection." => "Chýba modul 'fileinfo'. Dôrazne doporučujeme ho povoliť pre dosiahnutie najlepších výsledkov zisťovania mime-typu.", "Locale not working" => "Lokalizácia nefunguje", +"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." => "Systémové nastavenie lokalizácie nemohlo byť nastavené na %s. To znamená, že sa môžu vyskytnúť problémy s niektorými znakmi v názvoch súborov. Odporúčame nainštalovať do vášho systému balíčky potrebné pre podporu %s.", "Internet connection not working" => "Pripojenie na internet nefunguje", +"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." => "Server nemá funkčné pripojenie k internetu. Niektoré moduly ako napr. externé úložisko, oznámenie o dostupných aktualizáciách alebo inštalácia aplikácií tretích strán nebudú fungovať. Prístup k súborom z iných miest a odosielanie oznamovacích emailov tiež nemusí fungovať. Ak chcete využívať všetky vlastnosti ownCloudu, odporúčame povoliť pripojenie k internetu tomuto serveru.", "Cron" => "Cron", "Execute one task with each page loaded" => "Vykonať jednu úlohu s každým načítaní stránky", +"cron.php is registered at a webcron service to call cron.php once a minute over http." => "cron.php je registrovaný v službe webcron na zavolanie stránky cron.php raz za minútu cez HTTP.", +"Use systems cron service to call the cron.php file once a minute." => "Použiť systémovú službu cron na spustenie súboru cron.php raz za minútu.", "Sharing" => "Zdieľanie", "Enable Share API" => "Povoliť API zdieľania", "Allow apps to use the Share API" => "Povoliť aplikáciám používať API na zdieľanie", "Allow links" => "Povoliť odkazy", "Allow users to share items to the public with links" => "Povoliť používateľom zdieľať položky pre verejnosť cez odkazy", +"Allow public uploads" => "Povoliť verejné nahrávanie súborov", +"Allow users to enable others to upload into their publicly shared folders" => "Povoliť používateľom umožniť iným používateľom nahrávať do ich zdieľaného priečinka", "Allow resharing" => "Povoliť zdieľanie ďalej", "Allow users to share items shared with them again" => "Povoliť používateľom ďalej zdieľať zdieľané položky", "Allow users to share with anyone" => "Povoliť používateľom zdieľať s kýmkoľvek", "Allow users to only share with users in their groups" => "Povoliť používateľom zdieľať len s používateľmi v ich skupinách", "Security" => "Zabezpečenie", "Enforce HTTPS" => "Vynútiť HTTPS", +"Forces the clients to connect to %s via an encrypted connection." => "Vynúti pripájanie klientov k %s šifrovaným pripojením.", +"Please connect to your %s via HTTPS to enable or disable the SSL enforcement." => "Pripojte sa k %s cez HTTPS pre povolenie alebo zakázanie vynútenia SSL.", "Log" => "Záznam", "Log level" => "Úroveň záznamu", "More" => "Viac", @@ -93,6 +104,8 @@ $TRANSLATIONS = array( "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Použite túto adresu pre prístup k súborom cez WebDAV", "Encryption" => "Šifrovanie", +"Log-in password" => "Prihlasovacie heslo", +"Decrypt all Files" => "Dešifrovať všetky súbory", "Login Name" => "Prihlasovacie meno", "Create" => "Vytvoriť", "Admin Recovery Password" => "Obnovenie hesla administrátora", diff --git a/settings/l10n/sv.php b/settings/l10n/sv.php index cea9e2da4dc..9600b68ff24 100644 --- a/settings/l10n/sv.php +++ b/settings/l10n/sv.php @@ -25,6 +25,7 @@ $TRANSLATIONS = array( "Updating...." => "Uppdaterar...", "Error while updating app" => "Fel uppstod vid uppdatering av appen", "Updated" => "Uppdaterad", +"Decrypting files... Please wait, this can take some time." => "Dekrypterar filer... Vänligen vänta, detta kan ta en stund.", "Saving..." => "Sparar...", "deleted" => "raderad", "undo" => "ångra", @@ -103,6 +104,9 @@ $TRANSLATIONS = array( "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Använd denna adress för att komma åt dina filer via WebDAV", "Encryption" => "Kryptering", +"The encryption app is no longer enabled, decrypt all your file" => "Appen för kryptering är inte längre aktiverad, dekryptera alla dina filer", +"Log-in password" => "Inloggningslösenord", +"Decrypt all Files" => "Dekryptera alla filer", "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 505e9ff29cb..861528742f8 100644 --- a/settings/l10n/th_TH.php +++ b/settings/l10n/th_TH.php @@ -75,6 +75,7 @@ $TRANSLATIONS = array( "Language" => "ภาษา", "Help translate" => "ช่วยกันแปล", "WebDAV" => "WebDAV", +"Encryption" => "การเข้ารหัส", "Login Name" => "ชื่อที่ใช้สำหรับเข้าสู่ระบบ", "Create" => "สร้าง", "Default Storage" => "พื้นที่จำกัดข้อมูลเริ่มต้น", diff --git a/settings/l10n/tr.php b/settings/l10n/tr.php index 0e7fa8bc3c1..e391d39fa5d 100644 --- a/settings/l10n/tr.php +++ b/settings/l10n/tr.php @@ -101,6 +101,7 @@ $TRANSLATIONS = array( "Help translate" => "Çevirilere yardım edin", "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => " Dosyalarınıza WebDAV üzerinen erişme için bu adresi kullanın", +"Encryption" => "Şifreleme", "Login Name" => "Giriş Adı", "Create" => "Oluştur", "Admin Recovery Password" => "Yönetici kurtarma parolası", diff --git a/settings/l10n/zh_CN.GB2312.php b/settings/l10n/zh_CN.GB2312.php index 46c02476235..dc760e965f5 100644 --- a/settings/l10n/zh_CN.GB2312.php +++ b/settings/l10n/zh_CN.GB2312.php @@ -102,6 +102,7 @@ $TRANSLATIONS = array( "Help translate" => "帮助翻译", "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "访问WebDAV请点击 此处", +"Encryption" => "加密", "Login Name" => "登录名", "Create" => "新建", "Admin Recovery Password" => "管理员恢复密码", diff --git a/settings/l10n/zh_HK.php b/settings/l10n/zh_HK.php index f9bdb44956d..10fce11fb58 100644 --- a/settings/l10n/zh_HK.php +++ b/settings/l10n/zh_HK.php @@ -6,6 +6,7 @@ $TRANSLATIONS = array( "Password" => "密碼", "New password" => "新密碼", "Email" => "電郵", +"Encryption" => "加密", "Username" => "用戶名稱" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; -- GitLab From 224b80f906c1b7cd6338854e58f228eff4ea871c Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Wed, 21 Aug 2013 15:55:59 +0200 Subject: [PATCH 314/415] move isMimeSupported out of template files --- apps/files/index.php | 1 + apps/files/templates/part.list.php | 6 +++--- apps/files_sharing/public.php | 1 + apps/files_trashbin/index.php | 1 + apps/files_trashbin/templates/part.list.php | 8 ++++++-- 5 files changed, 12 insertions(+), 5 deletions(-) diff --git a/apps/files/index.php b/apps/files/index.php index c05c2a9384d..3007f56e024 100644 --- a/apps/files/index.php +++ b/apps/files/index.php @@ -74,6 +74,7 @@ foreach ($content as $i) { } } $i['directory'] = $dir; + $i['isPreviewAvailable'] = \OCP\Preview::isMimeSupported($i['mimetype']); $files[] = $i; } diff --git a/apps/files/templates/part.list.php b/apps/files/templates/part.list.php index 899fb04e252..c91dda4c77e 100644 --- a/apps/files/templates/part.list.php +++ b/apps/files/templates/part.list.php @@ -26,7 +26,7 @@ $totalsize = 0; ?> data-mime="" data-size="" data-permissions=""> - +
    - + style="background-image:url()" style="background-image:url()" - + style="background-image:url()" style="background-image:url()" diff --git a/apps/files_sharing/public.php b/apps/files_sharing/public.php index f050fecd7b5..ec6b4e815f8 100644 --- a/apps/files_sharing/public.php +++ b/apps/files_sharing/public.php @@ -172,6 +172,7 @@ if (isset($path)) { } else { $i['extension'] = ''; } + $i['isPreviewAvailable'] = \OCP\Preview::isMimeSupported($i['mimetype']); } $i['directory'] = $getPath; $i['permissions'] = OCP\PERMISSION_READ; diff --git a/apps/files_trashbin/index.php b/apps/files_trashbin/index.php index 2dbaefe7a78..6ae238eb8eb 100644 --- a/apps/files_trashbin/index.php +++ b/apps/files_trashbin/index.php @@ -64,6 +64,7 @@ foreach ($result as $r) { $i['directory'] = ''; } $i['permissions'] = OCP\PERMISSION_READ; + $i['isPreviewAvailable'] = \OCP\Preview::isMimeSupported($r['mime']); $files[] = $i; } diff --git a/apps/files_trashbin/templates/part.list.php b/apps/files_trashbin/templates/part.list.php index 6c6d2162846..f7cc6b01bbb 100644 --- a/apps/files_trashbin/templates/part.list.php +++ b/apps/files_trashbin/templates/part.list.php @@ -21,12 +21,16 @@ data-timestamp='' data-dirlisting=0 > + + style="background-image:url()" - - style="background-image:url()" class="preview-icon" + + style="background-image:url()" style="background-image:url()" -- GitLab From c482512e23c2411244492b3b29ba6a6f6923c504 Mon Sep 17 00:00:00 2001 From: Arthur Schiwon Date: Sat, 17 Aug 2013 17:55:46 +0200 Subject: [PATCH 315/415] LDAP: fix wrong hook name --- apps/user_ldap/lib/jobs.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/apps/user_ldap/lib/jobs.php b/apps/user_ldap/lib/jobs.php index d626afed6c3..6b7666d4ca1 100644 --- a/apps/user_ldap/lib/jobs.php +++ b/apps/user_ldap/lib/jobs.php @@ -82,7 +82,7 @@ class Jobs extends \OC\BackgroundJob\TimedJob { $hasChanged = true; } foreach(array_diff($actualUsers, $knownUsers) as $addedUser) { - \OCP\Util::emitHook('OC_User', 'post_addFromGroup', array('uid' => $addedUser, 'gid' => $group)); + \OCP\Util::emitHook('OC_User', 'post_addToGroup', array('uid' => $addedUser, 'gid' => $group)); \OCP\Util::writeLog('user_ldap', 'bgJ "updateGroups" – "'.$addedUser.'" added to "'.$group.'".', \OCP\Util::INFO); -- GitLab From 958130e8fef633cf7ee0bdca771bbb9205e337d7 Mon Sep 17 00:00:00 2001 From: Arthur Schiwon Date: Sat, 17 Aug 2013 18:45:36 +0200 Subject: [PATCH 316/415] Sharing: only determine path root if owner is available --- lib/public/share.php | 16 ++++++++++------ 1 file changed, 10 insertions(+), 6 deletions(-) diff --git a/lib/public/share.php b/lib/public/share.php index 63645e6fa34..b38208bc67f 100644 --- a/lib/public/share.php +++ b/lib/public/share.php @@ -209,7 +209,7 @@ class Share { } } } - + // let's get the parent for the next round $meta = $cache->get((int)$source); if($meta !== false) { @@ -840,7 +840,11 @@ class Share { // Get filesystem root to add it to the file target and remove from the // file source, match file_source with the file cache if ($itemType == 'file' || $itemType == 'folder') { - $root = \OC\Files\Filesystem::getRoot(); + if(!is_null($uidOwner)) { + $root = \OC\Files\Filesystem::getRoot(); + } else { + $root = ''; + } $where = 'INNER JOIN `*PREFIX*filecache` ON `file_source` = `*PREFIX*filecache`.`fileid`'; if (!isset($item)) { $where .= ' WHERE `file_target` IS NOT NULL'; @@ -1303,11 +1307,11 @@ class Share { 'run' => &$run, 'error' => &$error )); - + if ($run === false) { throw new \Exception($error); } - + if (isset($fileSource)) { if ($parentFolder) { if ($parentFolder === true) { @@ -1398,11 +1402,11 @@ class Share { 'run' => &$run, 'error' => &$error )); - + if ($run === false) { throw new \Exception($error); } - + if (isset($fileSource)) { if ($parentFolder) { if ($parentFolder === true) { -- GitLab From 101cfa23590c3430b05debc60a2335ad597f7d23 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Thu, 22 Aug 2013 00:09:43 +0200 Subject: [PATCH 317/415] remove duplicate code --- apps/files/js/file-upload.js | 7 ++ apps/files/js/files.js | 198 ----------------------------------- 2 files changed, 7 insertions(+), 198 deletions(-) diff --git a/apps/files/js/file-upload.js b/apps/files/js/file-upload.js index 49e464b810a..f262f11f065 100644 --- a/apps/files/js/file-upload.js +++ b/apps/files/js/file-upload.js @@ -205,6 +205,13 @@ $(document).ready(function() { } }); }); + $('#new').click(function(event){ + event.stopPropagation(); + }); + $('#new>a').click(function(){ + $('#new>ul').toggle(); + $('#new').toggleClass('active'); + }); $('#new li').click(function(){ if($(this).children('p').length==0){ return; diff --git a/apps/files/js/files.js b/apps/files/js/files.js index 4eb949c2eef..87311237e36 100644 --- a/apps/files/js/files.js +++ b/apps/files/js/files.js @@ -265,204 +265,6 @@ $(document).ready(function() { e.preventDefault(); // prevent browser from doing anything, if file isn't dropped in dropZone }); - $.assocArraySize = function(obj) { - // http://stackoverflow.com/a/6700/11236 - var size = 0, key; - for (key in obj) { - if (obj.hasOwnProperty(key)) size++; - } - return size; - }; - - // warn user not to leave the page while upload is in progress - $(window).bind('beforeunload', function(e) { - if ($.assocArraySize(uploadingFiles) > 0) - return t('files','File upload is in progress. Leaving the page now will cancel the upload.'); - }); - - //add multiply file upload attribute to all browsers except konqueror (which crashes when it's used) - if(navigator.userAgent.search(/konqueror/i)==-1){ - $('#file_upload_start').attr('multiple','multiple') - } - - //if the breadcrumb is to long, start by replacing foldernames with '...' except for the current folder - var crumb=$('div.crumb').first(); - while($('div.controls').height()>40 && crumb.next('div.crumb').length>0){ - crumb.children('a').text('...'); - crumb=crumb.next('div.crumb'); - } - //if that isn't enough, start removing items from the breacrumb except for the current folder and it's parent - var crumb=$('div.crumb').first(); - var next=crumb.next('div.crumb'); - while($('div.controls').height()>40 && next.next('div.crumb').length>0){ - crumb.remove(); - crumb=next; - next=crumb.next('div.crumb'); - } - //still not enough, start shorting down the current folder name - var crumb=$('div.crumb>a').last(); - while($('div.controls').height()>40 && crumb.text().length>6){ - var text=crumb.text() - text=text.substr(0,text.length-6)+'...'; - crumb.text(text); - } - - $(document).click(function(){ - $('#new>ul').hide(); - $('#new').removeClass('active'); - $('#new li').each(function(i,element){ - if($(element).children('p').length==0){ - $(element).children('form').remove(); - $(element).append('

    '+$(element).data('text')+'

    '); - } - }); - }); - $('#new').click(function(event){ - event.stopPropagation(); - }); - $('#new>a').click(function(){ - $('#new>ul').toggle(); - $('#new').toggleClass('active'); - }); - $('#new li').click(function(){ - if($(this).children('p').length==0){ - return; - } - - $('#new li').each(function(i,element){ - if($(element).children('p').length==0){ - $(element).children('form').remove(); - $(element).append('

    '+$(element).data('text')+'

    '); - } - }); - - var type=$(this).data('type'); - var text=$(this).children('p').text(); - $(this).data('text',text); - $(this).children('p').remove(); - var form=$('
    '); - var input=$(''); - form.append(input); - $(this).append(form); - input.focus(); - form.submit(function(event){ - event.stopPropagation(); - event.preventDefault(); - var newname=input.val(); - if(type == 'web' && newname.length == 0) { - OC.Notification.show(t('files', 'URL cannot be empty.')); - return false; - } else if (type != 'web' && !Files.isFileNameValid(newname)) { - return false; - } else if( type == 'folder' && $('#dir').val() == '/' && newname == 'Shared') { - OC.Notification.show(t('files','Invalid folder name. Usage of \'Shared\' is reserved by Owncloud')); - return false; - } - if (FileList.lastAction) { - FileList.lastAction(); - } - var name = getUniqueName(newname); - if (newname != name) { - FileList.checkName(name, newname, true); - var hidden = true; - } else { - var hidden = false; - } - switch(type){ - case 'file': - $.post( - OC.filePath('files','ajax','newfile.php'), - {dir:$('#dir').val(),filename:name}, - function(result){ - if (result.status == 'success') { - var date=new Date(); - FileList.addFile(name,0,date,false,hidden); - var tr=$('tr').filterAttr('data-file',name); - tr.attr('data-mime',result.data.mime); - tr.attr('data-size',result.data.size); - tr.attr('data-id', result.data.id); - tr.find('.filesize').text(humanFileSize(result.data.size)); - getMimeIcon(result.data.mime,function(path){ - tr.find('td.filename').attr('style','background-image:url('+path+')'); - }); - } else { - OC.dialogs.alert(result.data.message, t('core', 'Error')); - } - } - ); - break; - case 'folder': - $.post( - OC.filePath('files','ajax','newfolder.php'), - {dir:$('#dir').val(),foldername:name}, - function(result){ - if (result.status == 'success') { - var date=new Date(); - FileList.addDir(name,0,date,hidden); - var tr=$('tr').filterAttr('data-file',name); - tr.attr('data-id', result.data.id); - } else { - OC.dialogs.alert(result.data.message, t('core', 'Error')); - } - } - ); - break; - case 'web': - if(name.substr(0,8)!='https://' && name.substr(0,7)!='http://'){ - name='http://'+name; - } - var localName=name; - if(localName.substr(localName.length-1,1)=='/'){//strip / - localName=localName.substr(0,localName.length-1) - } - if(localName.indexOf('/')){//use last part of url - localName=localName.split('/').pop(); - }else{//or the domain - localName=(localName.match(/:\/\/(.[^/]+)/)[1]).replace('www.',''); - } - localName = getUniqueName(localName); - //IE < 10 does not fire the necessary events for the progress bar. - if($('html.lte9').length > 0) { - } else { - $('#uploadprogressbar').progressbar({value:0}); - $('#uploadprogressbar').fadeIn(); - } - - var eventSource=new OC.EventSource(OC.filePath('files','ajax','newfile.php'),{dir:$('#dir').val(),source:name,filename:localName}); - eventSource.listen('progress',function(progress){ - //IE < 10 does not fire the necessary events for the progress bar. - if($('html.lte9').length > 0) { - } else { - $('#uploadprogressbar').progressbar('value',progress); - } - }); - eventSource.listen('success',function(data){ - var mime=data.mime; - var size=data.size; - var id=data.id; - $('#uploadprogressbar').fadeOut(); - var date=new Date(); - FileList.addFile(localName,size,date,false,hidden); - var tr=$('tr').filterAttr('data-file',localName); - tr.data('mime',mime).data('id',id); - tr.attr('data-id', id); - getMimeIcon(mime,function(path){ - tr.find('td.filename').attr('style','background-image:url('+path+')'); - }); - }); - eventSource.listen('error',function(error){ - $('#uploadprogressbar').fadeOut(); - alert(error); - }); - break; - } - var li=form.parent(); - form.remove(); - li.append('

    '+li.data('text')+'

    '); - $('#new>a').click(); - }); - }); - //do a background scan if needed scanFiles(); -- GitLab From f1eec74f7048e41a876f1c757c6b953097e69872 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Wed, 21 Aug 2013 22:41:34 +0200 Subject: [PATCH 318/415] additional readdir check in mappedlocal --- lib/files/storage/mappedlocal.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/files/storage/mappedlocal.php b/lib/files/storage/mappedlocal.php index cf5d9b3ef4f..fbf1b4ebf96 100644 --- a/lib/files/storage/mappedlocal.php +++ b/lib/files/storage/mappedlocal.php @@ -65,7 +65,7 @@ class MappedLocal extends \OC\Files\Storage\Common{ $logicalPath = $this->mapper->physicalToLogic($physicalPath); $dh = opendir($physicalPath); - while ($file = readdir($dh)) { + while (($file = readdir($dh)) !== false) { if ($file === '.' or $file === '..') { continue; } -- GitLab From 1c258087c9a1d4ae33c15aed6533862c728f8742 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thomas=20M=C3=BCller?= Date: Thu, 22 Aug 2013 01:20:28 +0200 Subject: [PATCH 319/415] fixing typos --- lib/util.php | 19 ++++++++++--------- 1 file changed, 10 insertions(+), 9 deletions(-) diff --git a/lib/util.php b/lib/util.php index dbda3ac0ad0..dacfd5b56fb 100755 --- a/lib/util.php +++ b/lib/util.php @@ -228,7 +228,7 @@ class OC_Util { $webServerRestart = true; } - //common hint for all file permissons error messages + //common hint for all file permissions error messages $permissionsHint = 'Permissions can usually be fixed by ' .'giving the webserver write access to the root directory.'; @@ -560,9 +560,9 @@ class OC_Util { * @see OC_Util::callRegister() * @see OC_Util::isCallRegistered() * @description - * Also required for the client side to compute the piont in time when to + * Also required for the client side to compute the point in time when to * request a fresh token. The client will do so when nearly 97% of the - * timespan coded here has expired. + * time span coded here has expired. */ public static $callLifespan = 3600; // 3600 secs = 1 hour @@ -640,14 +640,15 @@ class OC_Util { * This function is used to sanitize HTML and should be applied on any * string or array of strings before displaying it on a web page. * - * @param string or array of strings + * @param string|array of strings * @return array with sanitized strings or a single sanitized string, depends on the input parameter. */ public static function sanitizeHTML( &$value ) { if (is_array($value)) { array_walk_recursive($value, 'OC_Util::sanitizeHTML'); } else { - $value = htmlentities((string)$value, ENT_QUOTES, 'UTF-8'); //Specify encoding for PHP<5.4 + //Specify encoding for PHP<5.4 + $value = htmlentities((string)$value, ENT_QUOTES, 'UTF-8'); } return $value; } @@ -756,7 +757,7 @@ class OC_Util { } /** - * Check if the setlocal call doesn't work. This can happen if the right + * Check if the setlocal call does not work. This can happen if the right * local packages are not available on the server. * @return bool */ @@ -828,8 +829,8 @@ class OC_Util { /** - * @brief Generates a cryptographical secure pseudorandom string - * @param Int with the length of the random string + * @brief Generates a cryptographic secure pseudo-random string + * @param Int $length of the random string * @return String * Please also update secureRNGAvailable if you change something here */ @@ -970,7 +971,7 @@ class OC_Util { /** * @brief Clear the opcode cache if one exists * This is necessary for writing to the config file - * in case the opcode cache doesn't revalidate files + * in case the opcode cache does not re-validate files * @return void */ public static function clearOpcodeCache() { -- GitLab From 02b2b5a808b135007d8d54b837e70c38f02729fd Mon Sep 17 00:00:00 2001 From: Jenkins for ownCloud Date: Thu, 22 Aug 2013 10:37:23 -0400 Subject: [PATCH 320/415] [tx-robot] updated from transifex --- apps/files/l10n/ca.php | 7 +++--- apps/files/l10n/et_EE.php | 7 +++--- apps/files_trashbin/l10n/ca.php | 4 ++-- apps/files_trashbin/l10n/et_EE.php | 4 ++-- apps/user_ldap/l10n/et_EE.php | 4 ++++ core/l10n/ca.php | 10 ++++---- core/l10n/et_EE.php | 9 ++++---- l10n/ca/core.po | 36 ++++++++++++++--------------- l10n/ca/files.po | 26 ++++++++++----------- l10n/ca/files_trashbin.po | 8 +++---- l10n/ca/lib.po | 22 +++++++++--------- l10n/ca/settings.po | 14 +++++------ l10n/cs_CZ/settings.po | 6 ++--- l10n/et_EE/core.po | 34 +++++++++++++-------------- l10n/et_EE/files.po | 26 ++++++++++----------- l10n/et_EE/files_trashbin.po | 12 +++++----- l10n/et_EE/lib.po | 12 +++++----- l10n/et_EE/settings.po | 14 +++++------ l10n/et_EE/user_ldap.po | 14 +++++------ l10n/fi_FI/settings.po | 12 +++++----- l10n/nl/settings.po | 14 +++++------ l10n/templates/core.pot | 2 +- l10n/templates/files.pot | 2 +- l10n/templates/files_encryption.pot | 2 +- l10n/templates/files_external.pot | 2 +- l10n/templates/files_sharing.pot | 2 +- l10n/templates/files_trashbin.pot | 2 +- l10n/templates/files_versions.pot | 2 +- l10n/templates/lib.pot | 2 +- l10n/templates/settings.pot | 2 +- l10n/templates/user_ldap.pot | 2 +- l10n/templates/user_webdavauth.pot | 2 +- lib/l10n/ca.php | 8 +++---- lib/l10n/et_EE.php | 8 +++---- settings/l10n/ca.php | 4 ++++ settings/l10n/cs_CZ.php | 2 +- settings/l10n/et_EE.php | 4 ++++ settings/l10n/fi_FI.php | 3 +++ settings/l10n/nl.php | 4 ++++ 39 files changed, 187 insertions(+), 163 deletions(-) diff --git a/apps/files/l10n/ca.php b/apps/files/l10n/ca.php index 3ce9a417770..3429f572fd2 100644 --- a/apps/files/l10n/ca.php +++ b/apps/files/l10n/ca.php @@ -32,20 +32,21 @@ $TRANSLATIONS = array( "cancel" => "cancel·la", "replaced {new_name} with {old_name}" => "s'ha substituït {old_name} per {new_name}", "undo" => "desfés", -"_Uploading %n file_::_Uploading %n files_" => array("",""), +"_Uploading %n file_::_Uploading %n files_" => array("Pujant %n fitxer","Pujant %n fitxers"), "files uploading" => "fitxers pujant", "'.' is an invalid file name." => "'.' és un nom no vàlid per un fitxer.", "File name cannot be empty." => "El nom del fitxer no pot ser buit.", "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "El nóm no és vàlid, '\\', '/', '<', '>', ':', '\"', '|', '?' i '*' no estan permesos.", "Your storage is full, files can not be updated or synced anymore!" => "El vostre espai d'emmagatzemament és ple, els fitxers ja no es poden actualitzar o sincronitzar!", "Your storage is almost full ({usedSpacePercent}%)" => "El vostre espai d'emmagatzemament és gairebé ple ({usedSpacePercent}%)", +"Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "L'encriptació s'ha desactivat però els vostres fitxers segueixen encriptats. Aneu a la vostra configuració personal per desencriptar els vostres fitxers.", "Your download is being prepared. This might take some time if the files are big." => "S'està preparant la baixada. Pot trigar una estona si els fitxers són grans.", "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Nom de carpeta no vàlid. L'ús de 'Shared' està reservat per Owncloud", "Name" => "Nom", "Size" => "Mida", "Modified" => "Modificat", -"_%n folder_::_%n folders_" => array("",""), -"_%n file_::_%n files_" => array("",""), +"_%n folder_::_%n folders_" => array("%n carpeta","%n carpetes"), +"_%n file_::_%n files_" => array("%n fitxer","%n fitxers"), "%s could not be renamed" => "%s no es pot canviar el nom", "Upload" => "Puja", "File handling" => "Gestió de fitxers", diff --git a/apps/files/l10n/et_EE.php b/apps/files/l10n/et_EE.php index 468f72e9d7f..2a5016f3807 100644 --- a/apps/files/l10n/et_EE.php +++ b/apps/files/l10n/et_EE.php @@ -32,20 +32,21 @@ $TRANSLATIONS = array( "cancel" => "loobu", "replaced {new_name} with {old_name}" => "asendas nime {old_name} nimega {new_name}", "undo" => "tagasi", -"_Uploading %n file_::_Uploading %n files_" => array("",""), +"_Uploading %n file_::_Uploading %n files_" => array("Laadin üles %n faili","Laadin üles %n faili"), "files uploading" => "faili üleslaadimisel", "'.' is an invalid file name." => "'.' on vigane failinimi.", "File name cannot be empty." => "Faili nimi ei saa olla tühi.", "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Vigane nimi, '\\', '/', '<', '>', ':', '\"', '|', '?' ja '*' pole lubatud.", "Your storage is full, files can not be updated or synced anymore!" => "Sinu andmemaht on täis! Faile ei uuendata ega sünkroniseerita!", "Your storage is almost full ({usedSpacePercent}%)" => "Su andmemaht on peaaegu täis ({usedSpacePercent}%)", +"Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "Krüpteering on keelatud, kuid sinu failid on endiselt krüpteeritud. Palun vaata oma personaalseid seadeid oma failide dekrüpteerimiseks.", "Your download is being prepared. This might take some time if the files are big." => "Valmistatakse allalaadimist. See võib võtta veidi aega, kui on tegu suurte failidega. ", "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Vigane kataloogi nimi. 'Shared' kasutamine on reserveeritud ownCloud poolt.", "Name" => "Nimi", "Size" => "Suurus", "Modified" => "Muudetud", -"_%n folder_::_%n folders_" => array("",""), -"_%n file_::_%n files_" => array("",""), +"_%n folder_::_%n folders_" => array("%n kataloog","%n kataloogi"), +"_%n file_::_%n files_" => array("%n fail","%n faili"), "%s could not be renamed" => "%s ümbernimetamine ebaõnnestus", "Upload" => "Lae üles", "File handling" => "Failide käsitlemine", diff --git a/apps/files_trashbin/l10n/ca.php b/apps/files_trashbin/l10n/ca.php index 6e226b7fc85..eb57aa16aa5 100644 --- a/apps/files_trashbin/l10n/ca.php +++ b/apps/files_trashbin/l10n/ca.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Esborra permanentment", "Name" => "Nom", "Deleted" => "Eliminat", -"_%n folder_::_%n folders_" => array("",""), -"_%n file_::_%n files_" => array("",""), +"_%n folder_::_%n folders_" => array("","%n carpetes"), +"_%n file_::_%n files_" => array("","%n fitxers"), "restored" => "restaurat", "Nothing in here. Your trash bin is empty!" => "La paperera està buida!", "Restore" => "Recupera", diff --git a/apps/files_trashbin/l10n/et_EE.php b/apps/files_trashbin/l10n/et_EE.php index 2cfcafa804e..43c182ea7b3 100644 --- a/apps/files_trashbin/l10n/et_EE.php +++ b/apps/files_trashbin/l10n/et_EE.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Kustuta jäädavalt", "Name" => "Nimi", "Deleted" => "Kustutatud", -"_%n folder_::_%n folders_" => array("",""), -"_%n file_::_%n files_" => array("",""), +"_%n folder_::_%n folders_" => array("","%n kataloogi"), +"_%n file_::_%n files_" => array("%n fail","%n faili"), "restored" => "taastatud", "Nothing in here. Your trash bin is empty!" => "Siin pole midagi. Sinu prügikast on tühi!", "Restore" => "Taasta", diff --git a/apps/user_ldap/l10n/et_EE.php b/apps/user_ldap/l10n/et_EE.php index 700b31e7ba9..b949fe02041 100644 --- a/apps/user_ldap/l10n/et_EE.php +++ b/apps/user_ldap/l10n/et_EE.php @@ -30,8 +30,11 @@ $TRANSLATIONS = array( "Password" => "Parool", "For anonymous access, leave DN and Password empty." => "Anonüümseks ligipääsuks jäta DN ja parool tühjaks.", "User Login Filter" => "Kasutajanime filter", +"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action. Example: \"uid=%%uid\"" => "Määrab sisselogimisel kasutatava filtri. %%uid asendab sisselogimistegevuses kasutajanime. Näide: \"uid=%%uid\"", "User List Filter" => "Kasutajate nimekirja filter", +"Defines the filter to apply, when retrieving users (no placeholders). Example: \"objectClass=person\"" => "Määrab kasutajate leidmiseks kasutatava filtri (ilma muutujateta). Näide: \"objectClass=person\"", "Group Filter" => "Grupi filter", +"Defines the filter to apply, when retrieving groups (no placeholders). Example: \"objectClass=posixGroup\"" => "Määrab gruppide leidmiseks kasutatava filtri (ilma muutujateta). Näide: \"objectClass=posixGroup\"", "Connection Settings" => "Ühenduse seaded", "Configuration Active" => "Seadistus aktiivne", "When unchecked, this configuration will be skipped." => "Kui märkimata, siis seadistust ei kasutata", @@ -45,6 +48,7 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "LDAPS puhul ära kasuta. Ühendus ei toimi.", "Case insensitve LDAP server (Windows)" => "Mittetõstutundlik LDAP server (Windows)", "Turn off SSL certificate validation." => "Lülita SSL sertifikaadi kontrollimine välja.", +"Not recommended, use it for testing only! If connection only works with this option, import the LDAP server's SSL certificate in your %s server." => "Pole soovitatav, kasuta seda ainult testimiseks! Kui ühendus toimib ainult selle valikuga, siis impordi LDAP serveri SSL sertifikaat oma %s serverisse.", "Cache Time-To-Live" => "Puhvri iga", "in seconds. A change empties the cache." => "sekundites. Muudatus tühjendab vahemälu.", "Directory Settings" => "Kataloogi seaded", diff --git a/core/l10n/ca.php b/core/l10n/ca.php index 3b8b57e8ac1..abff5bbbdb4 100644 --- a/core/l10n/ca.php +++ b/core/l10n/ca.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "Desembre", "Settings" => "Configuració", "seconds ago" => "segons enrere", -"_%n minute ago_::_%n minutes ago_" => array("",""), -"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n minute ago_::_%n minutes ago_" => array("fa %n minut","fa %n minuts"), +"_%n hour ago_::_%n hours ago_" => array("fa %n hora","fa %n hores"), "today" => "avui", "yesterday" => "ahir", -"_%n day ago_::_%n days ago_" => array("",""), +"_%n day ago_::_%n days ago_" => array("fa %n dies","fa %n dies"), "last month" => "el mes passat", -"_%n month ago_::_%n months ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("fa %n mes","fa %n mesos"), "months ago" => "mesos enrere", "last year" => "l'any passat", "years ago" => "anys enrere", @@ -83,6 +83,7 @@ $TRANSLATIONS = array( "Email sent" => "El correu electrónic s'ha enviat", "The update was unsuccessful. Please report this issue to the ownCloud community." => "L'actualització ha estat incorrecte. Comuniqueu aquest error a la comunitat ownCloud.", "The update was successful. Redirecting you to ownCloud now." => "L'actualització ha estat correcte. Ara us redirigim a ownCloud.", +"%s password reset" => "restableix la contrasenya %s", "Use the following link to reset your password: {link}" => "Useu l'enllaç següent per restablir la contrasenya: {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 ." => "L'enllaç per reiniciar la vostra contrasenya s'ha enviat al vostre correu.
    Si no el rebeu en un temps raonable comproveu les carpetes de spam.
    Si no és allà, pregunteu a l'administrador local.", "Request failed!
    Did you make sure your email/username was right?" => "La petició ha fallat!
    Esteu segur que el correu/nom d'usuari és correcte?", @@ -125,6 +126,7 @@ $TRANSLATIONS = array( "Finish setup" => "Acaba la configuració", "%s is available. Get more information on how to update." => "%s està disponible. Obtingueu més informació de com actualitzar.", "Log out" => "Surt", +"More apps" => "Més aplicacions", "Automatic logon rejected!" => "L'ha rebutjat l'acceditació automàtica!", "If you did not change your password recently, your account may be compromised!" => "Se no heu canviat la contrasenya recentment el vostre compte pot estar compromès!", "Please change your password to secure your account again." => "Canvieu la contrasenya de nou per assegurar el vostre compte.", diff --git a/core/l10n/et_EE.php b/core/l10n/et_EE.php index 8c2fb2804dd..a13ed032221 100644 --- a/core/l10n/et_EE.php +++ b/core/l10n/et_EE.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "Detsember", "Settings" => "Seaded", "seconds ago" => "sekundit tagasi", -"_%n minute ago_::_%n minutes ago_" => array("",""), -"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n minute ago_::_%n minutes ago_" => array("%n minut tagasi","%n minutit tagasi"), +"_%n hour ago_::_%n hours ago_" => array("%n tund tagasi","%n tundi tagasi"), "today" => "täna", "yesterday" => "eile", -"_%n day ago_::_%n days ago_" => array("",""), +"_%n day ago_::_%n days ago_" => array("%n päev tagasi","%n päeva tagasi"), "last month" => "viimasel kuul", -"_%n month ago_::_%n months ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("%n kuu tagasi","%n kuud tagasi"), "months ago" => "kuu tagasi", "last year" => "viimasel aastal", "years ago" => "aastat tagasi", @@ -83,6 +83,7 @@ $TRANSLATIONS = array( "Email sent" => "E-kiri on saadetud", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Uuendus ebaõnnestus. Palun teavita probleemidest ownCloud kogukonda.", "The update was successful. Redirecting you to ownCloud now." => "Uuendus oli edukas. Kohe suunatakse Sind ownCloudi.", +"%s password reset" => "%s parooli lähtestus", "Use the following link to reset your password: {link}" => "Kasuta järgnevat linki oma parooli taastamiseks: {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 ." => "Link parooli vahetuseks on saadetud Sinu e-posti aadressile.
    Kui kiri pole saabunud mõistliku aja jooksul, siis kontrolli oma spam-/rämpskirjade katalooge.
    Kui kirja pole ka seal, siis küsi abi süsteemihaldurilt.", "Request failed!
    Did you make sure your email/username was right?" => "Päring ebaõnnestus!
    Oled sa veendunud, et e-post/kasutajanimi on õiged?", diff --git a/l10n/ca/core.po b/l10n/ca/core.po index d5512edef9d..3d5fb3ae480 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-22 10:36-0400\n" +"PO-Revision-Date: 2013-08-21 15:50+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" @@ -150,14 +150,14 @@ msgstr "segons enrere" #: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "fa %n minut" +msgstr[1] "fa %n minuts" #: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "fa %n hora" +msgstr[1] "fa %n hores" #: js/js.js:815 msgid "today" @@ -170,8 +170,8 @@ msgstr "ahir" #: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "fa %n dies" +msgstr[1] "fa %n dies" #: js/js.js:818 msgid "last month" @@ -180,8 +180,8 @@ msgstr "el mes passat" #: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "fa %n mes" +msgstr[1] "fa %n mesos" #: js/js.js:820 msgid "months ago" @@ -195,23 +195,23 @@ msgstr "l'any passat" msgid "years ago" msgstr "anys enrere" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Escull" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "Error en carregar la plantilla del seleccionador de fitxers" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Sí" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "No" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "D'acord" @@ -378,7 +378,7 @@ msgstr "L'actualització ha estat correcte. Ara us redirigim a ownCloud." #: lostpassword/controller.php:61 #, php-format msgid "%s password reset" -msgstr "" +msgstr "restableix la contrasenya %s" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" @@ -579,7 +579,7 @@ msgstr "Surt" #: templates/layout.user.php:100 msgid "More apps" -msgstr "" +msgstr "Més aplicacions" #: templates/login.php:9 msgid "Automatic logon rejected!" diff --git a/l10n/ca/files.po b/l10n/ca/files.po index 3f3a39586a6..6912e2cea9d 100644 --- a/l10n/ca/files.po +++ b/l10n/ca/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-22 10:35-0400\n" +"PO-Revision-Date: 2013-08-21 16:01+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" @@ -101,15 +101,15 @@ msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Hi ha una pujada en curs. Si abandoneu la pàgina la pujada es cancel·larà." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:234 js/files.js:353 msgid "URL cannot be empty." msgstr "La URL no pot ser buida" -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:239 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nom de carpeta no vàlid. L'ús de 'Shared' està reservat per Owncloud" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 #: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Error" @@ -157,8 +157,8 @@ msgstr "desfés" #: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Pujant %n fitxer" +msgstr[1] "Pujant %n fitxers" #: js/filelist.js:518 msgid "files uploading" @@ -190,7 +190,7 @@ msgstr "El vostre espai d'emmagatzemament és gairebé ple ({usedSpacePercent}%) msgid "" "Encryption was disabled but your files are still encrypted. Please go to " "your personal settings to decrypt your files." -msgstr "" +msgstr "L'encriptació s'ha desactivat però els vostres fitxers segueixen encriptats. Aneu a la vostra configuració personal per desencriptar els vostres fitxers." #: js/files.js:245 msgid "" @@ -217,14 +217,14 @@ msgstr "Modificat" #: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n carpeta" +msgstr[1] "%n carpetes" #: js/files.js:784 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n fitxer" +msgstr[1] "%n fitxers" #: lib/app.php:73 #, php-format diff --git a/l10n/ca/files_trashbin.po b/l10n/ca/files_trashbin.po index 69f190dc6ae..6e08a5ad522 100644 --- a/l10n/ca/files_trashbin.po +++ b/l10n/ca/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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" +"POT-Creation-Date: 2013-08-22 10:36-0400\n" +"PO-Revision-Date: 2013-08-21 16:01+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" @@ -56,13 +56,13 @@ msgstr "Eliminat" msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -msgstr[1] "" +msgstr[1] "%n carpetes" #: js/trash.js:197 msgid "%n file" msgid_plural "%n files" msgstr[0] "" -msgstr[1] "" +msgstr[1] "%n fitxers" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/ca/lib.po b/l10n/ca/lib.po index ada11927259..b2bb669e052 100644 --- a/l10n/ca/lib.po +++ b/l10n/ca/lib.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-22 10:36-0400\n" +"PO-Revision-Date: 2013-08-21 15:50+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" @@ -205,14 +205,14 @@ msgstr "segons enrere" #: template/functions.php:81 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "fa %n minut" +msgstr[1] "fa %n minuts" #: template/functions.php:82 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "fa %n hora" +msgstr[1] "fa %n hores" #: template/functions.php:83 msgid "today" @@ -225,8 +225,8 @@ msgstr "ahir" #: template/functions.php:85 msgid "%n day go" msgid_plural "%n days ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "fa %n dia" +msgstr[1] "fa %n dies" #: template/functions.php:86 msgid "last month" @@ -235,8 +235,8 @@ msgstr "el mes passat" #: template/functions.php:87 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "fa %n mes" +msgstr[1] "fa %n mesos" #: template/functions.php:88 msgid "last year" diff --git a/l10n/ca/settings.po b/l10n/ca/settings.po index a00bc085904..c80ac76c2dd 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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-22 10:36-0400\n" +"PO-Revision-Date: 2013-08-21 15:40+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" @@ -124,7 +124,7 @@ msgstr "Actualitzada" #: js/personal.js:150 msgid "Decrypting files... Please wait, this can take some time." -msgstr "" +msgstr "Desencriptant fitxers... Espereu, això pot trigar una estona." #: js/personal.js:172 msgid "Saving..." @@ -477,15 +477,15 @@ msgstr "Xifrat" #: templates/personal.php:119 msgid "The encryption app is no longer enabled, decrypt all your file" -msgstr "" +msgstr "L'aplicació d'encriptació ja no està activada, desencripteu tots els vostres fitxers." #: templates/personal.php:125 msgid "Log-in password" -msgstr "" +msgstr "Contrasenya d'accés" #: templates/personal.php:130 msgid "Decrypt all Files" -msgstr "" +msgstr "Desencripta tots els fitxers" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/cs_CZ/settings.po b/l10n/cs_CZ/settings.po index 7ac217fd40c..a514ea68075 100644 --- a/l10n/cs_CZ/settings.po +++ b/l10n/cs_CZ/settings.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-20 16:10+0000\n" +"POT-Creation-Date: 2013-08-22 10:36-0400\n" +"PO-Revision-Date: 2013-08-22 14:00+0000\n" "Last-Translator: cvanca \n" "Language-Team: Czech (Czech Republic) (http://www.transifex.com/projects/p/owncloud/language/cs_CZ/)\n" "MIME-Version: 1.0\n" @@ -483,7 +483,7 @@ msgstr "Šifrovací aplikace již není spuštěna, odšifrujte všechny své so #: templates/personal.php:125 msgid "Log-in password" -msgstr "Heslo pro přihlášení" +msgstr "Heslo" #: templates/personal.php:130 msgid "Decrypt all Files" diff --git a/l10n/et_EE/core.po b/l10n/et_EE/core.po index 9c79babae64..57158ce0f0e 100644 --- a/l10n/et_EE/core.po +++ b/l10n/et_EE/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-22 10:36-0400\n" +"PO-Revision-Date: 2013-08-22 09:40+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" @@ -150,14 +150,14 @@ msgstr "sekundit tagasi" #: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n minut tagasi" +msgstr[1] "%n minutit tagasi" #: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n tund tagasi" +msgstr[1] "%n tundi tagasi" #: js/js.js:815 msgid "today" @@ -170,8 +170,8 @@ msgstr "eile" #: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n päev tagasi" +msgstr[1] "%n päeva tagasi" #: js/js.js:818 msgid "last month" @@ -180,8 +180,8 @@ msgstr "viimasel kuul" #: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n kuu tagasi" +msgstr[1] "%n kuud tagasi" #: js/js.js:820 msgid "months ago" @@ -195,23 +195,23 @@ msgstr "viimasel aastal" msgid "years ago" msgstr "aastat tagasi" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Vali" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "Viga failivalija malli laadimisel" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Jah" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Ei" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Ok" @@ -378,7 +378,7 @@ msgstr "Uuendus oli edukas. Kohe suunatakse Sind ownCloudi." #: lostpassword/controller.php:61 #, php-format msgid "%s password reset" -msgstr "" +msgstr "%s parooli lähtestus" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" diff --git a/l10n/et_EE/files.po b/l10n/et_EE/files.po index 66b8fc1c9b9..582197b1dcd 100644 --- a/l10n/et_EE/files.po +++ b/l10n/et_EE/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-22 10:35-0400\n" +"PO-Revision-Date: 2013-08-22 09:50+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" @@ -101,15 +101,15 @@ msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Faili üleslaadimine on töös. Lehelt lahkumine katkestab selle üleslaadimise." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:234 js/files.js:353 msgid "URL cannot be empty." msgstr "URL ei saa olla tühi." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:239 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Vigane kausta nimi. 'Shared' kasutamine on reserveeritud ownCloud poolt." -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 #: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Viga" @@ -157,8 +157,8 @@ msgstr "tagasi" #: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Laadin üles %n faili" +msgstr[1] "Laadin üles %n faili" #: js/filelist.js:518 msgid "files uploading" @@ -190,7 +190,7 @@ msgstr "Su andmemaht on peaaegu täis ({usedSpacePercent}%)" msgid "" "Encryption was disabled but your files are still encrypted. Please go to " "your personal settings to decrypt your files." -msgstr "" +msgstr "Krüpteering on keelatud, kuid sinu failid on endiselt krüpteeritud. Palun vaata oma personaalseid seadeid oma failide dekrüpteerimiseks." #: js/files.js:245 msgid "" @@ -217,14 +217,14 @@ msgstr "Muudetud" #: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n kataloog" +msgstr[1] "%n kataloogi" #: js/files.js:784 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n fail" +msgstr[1] "%n faili" #: lib/app.php:73 #, php-format diff --git a/l10n/et_EE/files_trashbin.po b/l10n/et_EE/files_trashbin.po index 9e88ec56abd..c40a3012745 100644 --- a/l10n/et_EE/files_trashbin.po +++ b/l10n/et_EE/files_trashbin.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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-22 10:36-0400\n" +"PO-Revision-Date: 2013-08-22 09:50+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" @@ -56,13 +56,13 @@ msgstr "Kustutatud" msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -msgstr[1] "" +msgstr[1] "%n kataloogi" #: js/trash.js:197 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n fail" +msgstr[1] "%n faili" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/et_EE/lib.po b/l10n/et_EE/lib.po index f221eab3754..23ab2c23ea6 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-22 10:36-0400\n" +"PO-Revision-Date: 2013-08-22 09:40+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" @@ -207,13 +207,13 @@ msgstr "sekundit tagasi" msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" -msgstr[1] "" +msgstr[1] "%n minutit tagasi" #: template/functions.php:82 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" -msgstr[1] "" +msgstr[1] "%n tundi tagasi" #: template/functions.php:83 msgid "today" @@ -227,7 +227,7 @@ msgstr "eile" msgid "%n day go" msgid_plural "%n days ago" msgstr[0] "" -msgstr[1] "" +msgstr[1] "%n päeva tagasi" #: template/functions.php:86 msgid "last month" @@ -237,7 +237,7 @@ msgstr "viimasel kuul" msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" -msgstr[1] "" +msgstr[1] "%n kuud tagasi" #: template/functions.php:88 msgid "last year" diff --git a/l10n/et_EE/settings.po b/l10n/et_EE/settings.po index 58c843ddda0..f2560807175 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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-22 10:36-0400\n" +"PO-Revision-Date: 2013-08-22 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" @@ -124,7 +124,7 @@ msgstr "Uuendatud" #: js/personal.js:150 msgid "Decrypting files... Please wait, this can take some time." -msgstr "" +msgstr "Dekrüpteerin faile... Palun oota, see võib võtta veidi aega." #: js/personal.js:172 msgid "Saving..." @@ -477,15 +477,15 @@ msgstr "Krüpteerimine" #: templates/personal.php:119 msgid "The encryption app is no longer enabled, decrypt all your file" -msgstr "" +msgstr "Küpteeringu rakend pole lubatud, dekrüpteeri kõik oma failid" #: templates/personal.php:125 msgid "Log-in password" -msgstr "" +msgstr "Sisselogimise parool" #: templates/personal.php:130 msgid "Decrypt all Files" -msgstr "" +msgstr "Dekrüpteeri kõik failid" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/et_EE/user_ldap.po b/l10n/et_EE/user_ldap.po index d9f36fdaccb..f0267918f4d 100644 --- a/l10n/et_EE/user_ldap.po +++ b/l10n/et_EE/user_ldap.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-22 10:36-0400\n" +"PO-Revision-Date: 2013-08-22 09:40+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" @@ -157,7 +157,7 @@ msgstr "Kasutajanime filter" msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " "username in the login action. Example: \"uid=%%uid\"" -msgstr "" +msgstr "Määrab sisselogimisel kasutatava filtri. %%uid asendab sisselogimistegevuses kasutajanime. Näide: \"uid=%%uid\"" #: templates/settings.php:55 msgid "User List Filter" @@ -167,7 +167,7 @@ msgstr "Kasutajate nimekirja filter" msgid "" "Defines the filter to apply, when retrieving users (no placeholders). " "Example: \"objectClass=person\"" -msgstr "" +msgstr "Määrab kasutajate leidmiseks kasutatava filtri (ilma muutujateta). Näide: \"objectClass=person\"" #: templates/settings.php:59 msgid "Group Filter" @@ -177,7 +177,7 @@ msgstr "Grupi filter" msgid "" "Defines the filter to apply, when retrieving groups (no placeholders). " "Example: \"objectClass=posixGroup\"" -msgstr "" +msgstr "Määrab gruppide leidmiseks kasutatava filtri (ilma muutujateta). Näide: \"objectClass=posixGroup\"" #: templates/settings.php:66 msgid "Connection Settings" @@ -238,7 +238,7 @@ msgstr "Lülita SSL sertifikaadi kontrollimine välja." msgid "" "Not recommended, use it for testing only! If connection only works with this" " option, import the LDAP server's SSL certificate in your %s server." -msgstr "" +msgstr "Pole soovitatav, kasuta seda ainult testimiseks! Kui ühendus toimib ainult selle valikuga, siis impordi LDAP serveri SSL sertifikaat oma %s serverisse." #: templates/settings.php:76 msgid "Cache Time-To-Live" diff --git a/l10n/fi_FI/settings.po b/l10n/fi_FI/settings.po index eb3934480cc..3bdd091b224 100644 --- a/l10n/fi_FI/settings.po +++ b/l10n/fi_FI/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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-22 10:36-0400\n" +"PO-Revision-Date: 2013-08-21 19:00+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" @@ -123,7 +123,7 @@ msgstr "Päivitetty" #: js/personal.js:150 msgid "Decrypting files... Please wait, this can take some time." -msgstr "" +msgstr "Puretaan tiedostojen salausta... Odota, tämä voi kestää jonkin aikaa." #: js/personal.js:172 msgid "Saving..." @@ -476,7 +476,7 @@ msgstr "Salaus" #: templates/personal.php:119 msgid "The encryption app is no longer enabled, decrypt all your file" -msgstr "" +msgstr "Salaussovellus ei ole enää käytössä, pura kaikkien tiedostojesi salaus" #: templates/personal.php:125 msgid "Log-in password" @@ -484,7 +484,7 @@ msgstr "" #: templates/personal.php:130 msgid "Decrypt all Files" -msgstr "" +msgstr "Pura kaikkien tiedostojen salaus" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/nl/settings.po b/l10n/nl/settings.po index f6bc680f8ed..265529a90a4 100644 --- a/l10n/nl/settings.po +++ b/l10n/nl/settings.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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-22 10:36-0400\n" +"PO-Revision-Date: 2013-08-21 18:40+0000\n" +"Last-Translator: kwillems \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" @@ -126,7 +126,7 @@ msgstr "Bijgewerkt" #: js/personal.js:150 msgid "Decrypting files... Please wait, this can take some time." -msgstr "" +msgstr "Bestanden worden gedecodeerd... Even geduld alstublieft, dit kan even duren." #: js/personal.js:172 msgid "Saving..." @@ -479,15 +479,15 @@ msgstr "Versleuteling" #: templates/personal.php:119 msgid "The encryption app is no longer enabled, decrypt all your file" -msgstr "" +msgstr "De encryptie-appplicatie is niet meer aanwezig, decodeer al uw bestanden" #: templates/personal.php:125 msgid "Log-in password" -msgstr "" +msgstr "Inlog-wachtwoord" #: templates/personal.php:130 msgid "Decrypt all Files" -msgstr "" +msgstr "Decodeer alle bestanden" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/templates/core.pot b/l10n/templates/core.pot index 1a57242cca1..8ce60bb01f4 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-08-21 08:11-0400\n" +"POT-Creation-Date: 2013-08-22 10:36-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.pot b/l10n/templates/files.pot index 29862b75cb9..2b4ba672058 100644 --- a/l10n/templates/files.pot +++ b/l10n/templates/files.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-08-21 08:10-0400\n" +"POT-Creation-Date: 2013-08-22 10:35-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_encryption.pot b/l10n/templates/files_encryption.pot index 9cccdf810a0..1cded052b04 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-08-21 08:10-0400\n" +"POT-Creation-Date: 2013-08-22 10:35-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 34bc7048449..a607233510d 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-08-21 08:11-0400\n" +"POT-Creation-Date: 2013-08-22 10:36-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_sharing.pot b/l10n/templates/files_sharing.pot index 5c93717853e..28e61114e94 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-08-21 08:11-0400\n" +"POT-Creation-Date: 2013-08-22 10:36-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_trashbin.pot b/l10n/templates/files_trashbin.pot index 129b2d26018..f53c0f77fba 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-08-21 08:11-0400\n" +"POT-Creation-Date: 2013-08-22 10:36-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 f91a312ab5c..9238c2c7fd1 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-08-21 08:11-0400\n" +"POT-Creation-Date: 2013-08-22 10:36-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 ac456572bbc..e8801c9f043 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-08-21 08:11-0400\n" +"POT-Creation-Date: 2013-08-22 10:36-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/settings.pot b/l10n/templates/settings.pot index 70239706f10..981d9b2841d 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-08-21 08:11-0400\n" +"POT-Creation-Date: 2013-08-22 10:36-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_ldap.pot b/l10n/templates/user_ldap.pot index d31888dd24a..d29a99b6e4b 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-08-21 08:11-0400\n" +"POT-Creation-Date: 2013-08-22 10:36-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 5770e80c497..6090739e41a 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-08-21 08:11-0400\n" +"POT-Creation-Date: 2013-08-22 10:36-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" diff --git a/lib/l10n/ca.php b/lib/l10n/ca.php index 67ccdabc636..83e70585e36 100644 --- a/lib/l10n/ca.php +++ b/lib/l10n/ca.php @@ -40,13 +40,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "El servidor web no està configurat correctament per permetre la sincronització de fitxers perquè la interfície WebDAV sembla no funcionar correctament.", "Please double check the installation guides." => "Comproveu les guies d'instal·lació.", "seconds ago" => "segons enrere", -"_%n minute ago_::_%n minutes ago_" => array("",""), -"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n minute ago_::_%n minutes ago_" => array("fa %n minut","fa %n minuts"), +"_%n hour ago_::_%n hours ago_" => array("fa %n hora","fa %n hores"), "today" => "avui", "yesterday" => "ahir", -"_%n day go_::_%n days ago_" => array("",""), +"_%n day go_::_%n days ago_" => array("fa %n dia","fa %n dies"), "last month" => "el mes passat", -"_%n month ago_::_%n months ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("fa %n mes","fa %n mesos"), "last year" => "l'any passat", "years ago" => "anys enrere", "Caused by:" => "Provocat per:", diff --git a/lib/l10n/et_EE.php b/lib/l10n/et_EE.php index 912ef37a935..a2ac6bcabc9 100644 --- a/lib/l10n/et_EE.php +++ b/lib/l10n/et_EE.php @@ -40,13 +40,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Veebiserveri ei ole veel korralikult seadistatud võimaldamaks failide sünkroniseerimist, kuna WebDAV liides näib olevat mittetoimiv.", "Please double check the installation guides." => "Palun tutvu veelkord paigalduse juhenditega.", "seconds ago" => "sekundit tagasi", -"_%n minute ago_::_%n minutes ago_" => array("",""), -"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n minute ago_::_%n minutes ago_" => array("","%n minutit tagasi"), +"_%n hour ago_::_%n hours ago_" => array("","%n tundi tagasi"), "today" => "täna", "yesterday" => "eile", -"_%n day go_::_%n days ago_" => array("",""), +"_%n day go_::_%n days ago_" => array("","%n päeva tagasi"), "last month" => "viimasel kuul", -"_%n month ago_::_%n months ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("","%n kuud tagasi"), "last year" => "viimasel aastal", "years ago" => "aastat tagasi", "Caused by:" => "Põhjustaja:", diff --git a/settings/l10n/ca.php b/settings/l10n/ca.php index 59201224a4a..ab7004c2d31 100644 --- a/settings/l10n/ca.php +++ b/settings/l10n/ca.php @@ -25,6 +25,7 @@ $TRANSLATIONS = array( "Updating...." => "Actualitzant...", "Error while updating app" => "Error en actualitzar l'aplicació", "Updated" => "Actualitzada", +"Decrypting files... Please wait, this can take some time." => "Desencriptant fitxers... Espereu, això pot trigar una estona.", "Saving..." => "Desant...", "deleted" => "esborrat", "undo" => "desfés", @@ -103,6 +104,9 @@ $TRANSLATIONS = array( "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Useu aquesta adreça per accedir als fitxers via WebDAV", "Encryption" => "Xifrat", +"The encryption app is no longer enabled, decrypt all your file" => "L'aplicació d'encriptació ja no està activada, desencripteu tots els vostres fitxers.", +"Log-in password" => "Contrasenya d'accés", +"Decrypt all Files" => "Desencripta tots els fitxers", "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 1d6c3080a67..99be4b73b0f 100644 --- a/settings/l10n/cs_CZ.php +++ b/settings/l10n/cs_CZ.php @@ -105,7 +105,7 @@ $TRANSLATIONS = array( "Use this address to access your Files via WebDAV" => "Použijte tuto adresu pro přístup k vašim souborům přes WebDAV", "Encryption" => "Šifrování", "The encryption app is no longer enabled, decrypt all your file" => "Šifrovací aplikace již není spuštěna, odšifrujte všechny své soubory", -"Log-in password" => "Heslo pro přihlášení", +"Log-in password" => "Heslo", "Decrypt all Files" => "Odšifrovat všechny soubory", "Login Name" => "Přihlašovací jméno", "Create" => "Vytvořit", diff --git a/settings/l10n/et_EE.php b/settings/l10n/et_EE.php index a78b9b50e89..a01c939f2dc 100644 --- a/settings/l10n/et_EE.php +++ b/settings/l10n/et_EE.php @@ -25,6 +25,7 @@ $TRANSLATIONS = array( "Updating...." => "Uuendamine...", "Error while updating app" => "Viga rakenduse uuendamisel", "Updated" => "Uuendatud", +"Decrypting files... Please wait, this can take some time." => "Dekrüpteerin faile... Palun oota, see võib võtta veidi aega.", "Saving..." => "Salvestamine...", "deleted" => "kustutatud", "undo" => "tagasi", @@ -103,6 +104,9 @@ $TRANSLATIONS = array( "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Kasuta seda aadressi oma failidele ligipääsuks WebDAV kaudu", "Encryption" => "Krüpteerimine", +"The encryption app is no longer enabled, decrypt all your file" => "Küpteeringu rakend pole lubatud, dekrüpteeri kõik oma failid", +"Log-in password" => "Sisselogimise parool", +"Decrypt all Files" => "Dekrüpteeri kõik failid", "Login Name" => "Kasutajanimi", "Create" => "Lisa", "Admin Recovery Password" => "Admin taasteparool", diff --git a/settings/l10n/fi_FI.php b/settings/l10n/fi_FI.php index d388c13ee71..5e80017d3de 100644 --- a/settings/l10n/fi_FI.php +++ b/settings/l10n/fi_FI.php @@ -25,6 +25,7 @@ $TRANSLATIONS = array( "Updating...." => "Päivitetään...", "Error while updating app" => "Virhe sovellusta päivittäessä", "Updated" => "Päivitetty", +"Decrypting files... Please wait, this can take some time." => "Puretaan tiedostojen salausta... Odota, tämä voi kestää jonkin aikaa.", "Saving..." => "Tallennetaan...", "deleted" => "poistettu", "undo" => "kumoa", @@ -88,6 +89,8 @@ $TRANSLATIONS = array( "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Käytä tätä osoitetta päästäksesi käsiksi tiedostoihisi WebDAVin kautta", "Encryption" => "Salaus", +"The encryption app is no longer enabled, decrypt all your file" => "Salaussovellus ei ole enää käytössä, pura kaikkien tiedostojesi salaus", +"Decrypt all Files" => "Pura kaikkien tiedostojen salaus", "Login Name" => "Kirjautumisnimi", "Create" => "Luo", "Default Storage" => "Oletustallennustila", diff --git a/settings/l10n/nl.php b/settings/l10n/nl.php index 2b0d4011f48..c32f616c0e0 100644 --- a/settings/l10n/nl.php +++ b/settings/l10n/nl.php @@ -25,6 +25,7 @@ $TRANSLATIONS = array( "Updating...." => "Bijwerken....", "Error while updating app" => "Fout bij bijwerken app", "Updated" => "Bijgewerkt", +"Decrypting files... Please wait, this can take some time." => "Bestanden worden gedecodeerd... Even geduld alstublieft, dit kan even duren.", "Saving..." => "Opslaan", "deleted" => "verwijderd", "undo" => "ongedaan maken", @@ -103,6 +104,9 @@ $TRANSLATIONS = array( "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Gebruik dit adres toegang tot uw bestanden via WebDAV", "Encryption" => "Versleuteling", +"The encryption app is no longer enabled, decrypt all your file" => "De encryptie-appplicatie is niet meer aanwezig, decodeer al uw bestanden", +"Log-in password" => "Inlog-wachtwoord", +"Decrypt all Files" => "Decodeer alle bestanden", "Login Name" => "Inlognaam", "Create" => "Creëer", "Admin Recovery Password" => "Beheer herstel wachtwoord", -- GitLab From 87c3f34a93257f015304ac48247eeaf38745af9f Mon Sep 17 00:00:00 2001 From: dampfklon Date: Thu, 22 Aug 2013 19:52:08 +0200 Subject: [PATCH 321/415] Make group suffix in share dialog translatable --- core/ajax/share.php | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/core/ajax/share.php b/core/ajax/share.php index bdcb61284ec..d3c6a8456a6 100644 --- a/core/ajax/share.php +++ b/core/ajax/share.php @@ -213,6 +213,10 @@ if (isset($_POST['action']) && isset($_POST['itemType']) && isset($_POST['itemSo } } $count = 0; + + // enable l10n support + $l = OC_L10N::get('core'); + foreach ($groups as $group) { if ($count < 15) { if (stripos($group, $_GET['search']) !== false @@ -221,7 +225,7 @@ if (isset($_POST['action']) && isset($_POST['itemType']) && isset($_POST['itemSo || !is_array($_GET['itemShares'][OCP\Share::SHARE_TYPE_GROUP]) || !in_array($group, $_GET['itemShares'][OCP\Share::SHARE_TYPE_GROUP]))) { $shareWith[] = array( - 'label' => $group.' (group)', + 'label' => $group.' ('.$l->t('group').')', 'value' => array( 'shareType' => OCP\Share::SHARE_TYPE_GROUP, 'shareWith' => $group -- GitLab From 8dd93c8c0288a11f04816bea2a58aee661ef9e97 Mon Sep 17 00:00:00 2001 From: kondou Date: Fri, 23 Aug 2013 07:30:42 +0200 Subject: [PATCH 322/415] Fix some phpdoc and camelcase --- lib/util.php | 32 +++++++++++++++++--------------- 1 file changed, 17 insertions(+), 15 deletions(-) diff --git a/lib/util.php b/lib/util.php index dacfd5b56fb..f343e783206 100755 --- a/lib/util.php +++ b/lib/util.php @@ -16,7 +16,7 @@ class OC_Util { /** * @brief Can be set up - * @param user string + * @param string $user * @return boolean * @description configure the initial filesystem based on the configuration */ @@ -51,7 +51,8 @@ class OC_Util { self::$rootMounted = true; } - if( $user != "" ) { //if we aren't logged in, there is no use to set up the filesystem + //if we aren't logged in, there is no use to set up the filesystem + if( $user != "" ) { $quota = self::getUserQuota($user); if ($quota !== \OC\Files\SPACE_UNLIMITED) { \OC\Files\Filesystem::addStorageWrapper(function($mountPoint, $storage) use ($quota, $user) { @@ -131,7 +132,7 @@ class OC_Util { /** * @brief add a javascript file * - * @param appid $application + * @param string $application * @param filename $file * @return void */ @@ -150,7 +151,7 @@ class OC_Util { /** * @brief add a css file * - * @param appid $application + * @param string $application * @param filename $file * @return void */ @@ -168,7 +169,7 @@ class OC_Util { /** * @brief Add a custom element to the header - * @param string tag tag name of the element + * @param string $tag tag name of the element * @param array $attributes array of attributes for the element * @param string $text the text content for the element * @return void @@ -184,8 +185,8 @@ class OC_Util { /** * @brief formats a timestamp in the "right" way * - * @param int timestamp $timestamp - * @param bool dateOnly option to omit time from the result + * @param int $timestamp + * @param bool $dateOnly option to omit time from the result * @return string timestamp * @description adjust to clients timezone if we know it */ @@ -418,12 +419,13 @@ class OC_Util { } /** - * Check for correct file permissions of data directory - * @return array arrays with error messages and hints - */ + * @brief Check for correct file permissions of data directory + * @paran string $dataDirectory + * @return array arrays with error messages and hints + */ public static function checkDataDirectoryPermissions($dataDirectory) { $errors = array(); - if (stristr(PHP_OS, 'WIN')) { + if (self::runningOnWindows()) { //TODO: permissions checks for windows hosts } else { $permissionsModHint = 'Please change the permissions to 0770 so that the directory' @@ -681,9 +683,9 @@ class OC_Util { $testContent = 'testcontent'; // creating a test file - $testfile = OC_Config::getValue( "datadirectory", OC::$SERVERROOT."/data" ).'/'.$filename; + $testFile = OC_Config::getValue( "datadirectory", OC::$SERVERROOT."/data" ).'/'.$fileName; - if(file_exists($testfile)) {// already running this test, possible recursive call + if(file_exists($testFile)) {// already running this test, possible recursive call return false; } @@ -692,7 +694,7 @@ class OC_Util { @fclose($fp); // accessing the file via http - $url = OC_Helper::makeURLAbsolute(OC::$WEBROOT.'/data'.$filename); + $url = OC_Helper::makeURLAbsolute(OC::$WEBROOT.'/data'.$fileName); $fp = @fopen($url, 'r'); $content=@fread($fp, 2048); @fclose($fp); @@ -701,7 +703,7 @@ class OC_Util { @unlink($testfile); // does it work ? - if($content==$testcontent) { + if($content==$testContent) { return false; } else { return true; -- GitLab From 1dab0767502013b5e86e8e24e3b12a2a8939f7a8 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Fri, 23 Aug 2013 23:05:44 +0200 Subject: [PATCH 323/415] make it possible to disable previews --- config/config.sample.php | 1 + lib/preview.php | 10 ++++++++++ 2 files changed, 11 insertions(+) diff --git a/config/config.sample.php b/config/config.sample.php index 5c40078c7d7..76de97818d5 100644 --- a/config/config.sample.php +++ b/config/config.sample.php @@ -191,6 +191,7 @@ $CONFIG = array( 'customclient_ios' => '', //https://itunes.apple.com/us/app/owncloud/id543672169?mt=8 // PREVIEW +'disable_previews' => false, /* the max width of a generated preview, if value is null, there is no limit */ 'preview_max_x' => null, /* the max height of a generated preview, if value is null, there is no limit */ diff --git a/lib/preview.php b/lib/preview.php index 9fed7f1b58f..0497ec95bc5 100755 --- a/lib/preview.php +++ b/lib/preview.php @@ -568,6 +568,12 @@ class Preview { * @return void */ private static function initProviders() { + if(\OC_Config::getValue('disable_previews', false)) { + $provider = new Preview\Unknown(); + self::$providers = array($provider); + return; + } + if(count(self::$providers)>0) { return; } @@ -599,6 +605,10 @@ class Preview { } public static function isMimeSupported($mimetype) { + if(\OC_Config::getValue('disable_previews', false)) { + return false; + } + //check if there are preview backends if(empty(self::$providers)) { self::initProviders(); -- GitLab From 13e34649bfb1a7d15833c209d629e3540d3366ef Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Fri, 23 Aug 2013 23:19:21 +0200 Subject: [PATCH 324/415] move path generation for previews to dedicated function --- apps/files/js/filelist.js | 2 +- apps/files/js/files.js | 9 +++++++-- 2 files changed, 8 insertions(+), 3 deletions(-) diff --git a/apps/files/js/filelist.js b/apps/files/js/filelist.js index 41245c00ba6..e3e985af38b 100644 --- a/apps/files/js/filelist.js +++ b/apps/files/js/filelist.js @@ -185,7 +185,7 @@ var FileList={ if (id != null) { tr.attr('data-id', id); } - var path = $('#dir').val()+'/'+name; + var path = getPathForPreview(name); lazyLoadPreview(path, mime, function(previewpath){ tr.find('td.filename').attr('style','background-image:url('+previewpath+')'); }); diff --git a/apps/files/js/files.js b/apps/files/js/files.js index f88ecd961b1..79fa01aa0aa 100644 --- a/apps/files/js/files.js +++ b/apps/files/js/files.js @@ -382,7 +382,7 @@ $(document).ready(function() { tr.attr('data-size',result.data.size); tr.attr('data-id', result.data.id); tr.find('.filesize').text(humanFileSize(result.data.size)); - var path = $('#dir').val() + '/' + name; + var path = getPathForPreview(name); lazyLoadPreview(path, result.data.mime, function(previewpath){ tr.find('td.filename').attr('style','background-image:url('+previewpath+')'); }); @@ -654,7 +654,7 @@ var createDragShadow = function(event){ if (elem.type === 'dir') { newtr.find('td.filename').attr('style','background-image:url('+OC.imagePath('core', 'filetypes/folder.png')+')'); } else { - var path = $('#dir').val()+'/'+elem.name; + var path = getPathForPreview(elem.name); lazyLoadPreview(path, elem.mime, function(previewpath){ newtr.find('td.filename').attr('style','background-image:url('+previewpath+')'); }); @@ -832,6 +832,11 @@ function getMimeIcon(mime, ready){ } getMimeIcon.cache={}; +function getPathForPreview(name) { + var path = $('#dir').val() + '/' + name; + return path; +} + function lazyLoadPreview(path, mime, ready) { getMimeIcon(mime,ready); var x = $('#filestable').data('preview-x'); -- GitLab From 58c727a4955b9ab60fa3c31fe902b673e883d181 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Fri, 23 Aug 2013 23:27:36 +0200 Subject: [PATCH 325/415] fix return value of method --- lib/preview.php | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/lib/preview.php b/lib/preview.php index 0497ec95bc5..a8a8580e229 100755 --- a/lib/preview.php +++ b/lib/preview.php @@ -444,7 +444,8 @@ class Preview { * @return void */ public function show() { - return $this->showPreview(); + $this->showPreview(); + return; } /** -- GitLab From 596ac40b7f7143622ce2fabf48b96b4320e8c582 Mon Sep 17 00:00:00 2001 From: Jenkins for ownCloud Date: Fri, 23 Aug 2013 20:17:08 -0400 Subject: [PATCH 326/415] [tx-robot] updated from transifex --- apps/files/l10n/lv.php | 1 + apps/files/l10n/tr.php | 1 + apps/user_ldap/l10n/da.php | 5 ++++ apps/user_ldap/l10n/nl.php | 4 +++ core/l10n/he.php | 14 ++++++--- l10n/da/user_ldap.po | 16 +++++----- l10n/he/core.po | 45 +++++++++++++++-------------- l10n/he/lib.po | 12 ++++---- l10n/lb/settings.po | 37 ++++++++++++------------ l10n/lv/files.po | 14 ++++----- l10n/lv/settings.po | 14 ++++----- l10n/nl/user_ldap.po | 14 ++++----- l10n/templates/core.pot | 2 +- l10n/templates/files.pot | 2 +- l10n/templates/files_encryption.pot | 2 +- l10n/templates/files_external.pot | 2 +- l10n/templates/files_sharing.pot | 2 +- l10n/templates/files_trashbin.pot | 2 +- l10n/templates/files_versions.pot | 2 +- l10n/templates/lib.pot | 2 +- l10n/templates/settings.pot | 2 +- l10n/templates/user_ldap.pot | 2 +- l10n/templates/user_webdavauth.pot | 2 +- l10n/tr/files.po | 15 +++++----- l10n/tr/settings.po | 17 ++++++----- lib/l10n/he.php | 8 ++--- settings/l10n/lb.php | 9 ++++++ settings/l10n/lv.php | 4 +++ settings/l10n/tr.php | 5 ++++ 29 files changed, 148 insertions(+), 109 deletions(-) diff --git a/apps/files/l10n/lv.php b/apps/files/l10n/lv.php index f6ded76e109..9367b0f5a64 100644 --- a/apps/files/l10n/lv.php +++ b/apps/files/l10n/lv.php @@ -39,6 +39,7 @@ $TRANSLATIONS = array( "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Nederīgs nosaukums, nav atļauti '\\', '/', '<', '>', ':', '\"', '|', '?' un '*'.", "Your storage is full, files can not be updated or synced anymore!" => "Jūsu krātuve ir pilna, datnes vairs nevar augšupielādēt vai sinhronizēt!", "Your storage is almost full ({usedSpacePercent}%)" => "Jūsu krātuve ir gandrīz pilna ({usedSpacePercent}%)", +"Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "Šifrēšana tika atslēgta, tomēr jūsu faili joprojām ir šifrēti. Atšifrēt failus var Personiskajos uzstādījumos.", "Your download is being prepared. This might take some time if the files are big." => "Tiek sagatavota lejupielāde. Tas var aizņemt kādu laiciņu, ja datnes ir lielas.", "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Nederīgs mapes nosaukums. “Koplietots” izmantojums ir rezervēts ownCloud servisam.", "Name" => "Nosaukums", diff --git a/apps/files/l10n/tr.php b/apps/files/l10n/tr.php index 725bebfa7db..661e8572e8f 100644 --- a/apps/files/l10n/tr.php +++ b/apps/files/l10n/tr.php @@ -39,6 +39,7 @@ $TRANSLATIONS = array( "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Geçersiz isim, '\\', '/', '<', '>', ':', '\"', '|', '?' ve '*' karakterlerine izin verilmemektedir.", "Your storage is full, files can not be updated or synced anymore!" => "Depolama alanınız dolu, artık dosyalar güncellenmeyecek yada senkronizasyon edilmeyecek.", "Your storage is almost full ({usedSpacePercent}%)" => "Depolama alanınız neredeyse dolu ({usedSpacePercent}%)", +"Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "Şifreleme işlemi durduruldu ancak dosyalarınız şifreli. Dosyalarınızın şifresini kaldırmak için lütfen kişisel ayarlar kısmına geçiniz.", "Your download is being prepared. This might take some time if the files are big." => "İndirmeniz hazırlanıyor. Dosya büyük ise biraz zaman alabilir.", "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Geçersiz dizin adı. Shared isminin kullanımı Owncloud tarafından rezerver edilmiştir.", "Name" => "İsim", diff --git a/apps/user_ldap/l10n/da.php b/apps/user_ldap/l10n/da.php index e0c7acbadf8..e33efe3de09 100644 --- a/apps/user_ldap/l10n/da.php +++ b/apps/user_ldap/l10n/da.php @@ -4,6 +4,7 @@ $TRANSLATIONS = array( "The configuration is valid and the connection could be established!" => "Konfigurationen er korrekt og forbindelsen kunne etableres!", "The configuration is invalid. Please look in the ownCloud log for further details." => "Konfigurationen er ugyldig. Se venligst ownCloud loggen for yderligere detaljer.", "Deletion failed" => "Fejl ved sletning", +"Take over settings from recent server configuration?" => "Overtag indstillinger fra nylig server konfiguration? ", "Keep settings?" => "Behold indstillinger?", "Cannot add server configuration" => "Kan ikke tilføje serverkonfiguration", "Success" => "Succes", @@ -28,16 +29,20 @@ $TRANSLATIONS = array( "Configuration Active" => "Konfiguration Aktiv", "Port" => "Port", "Backup (Replica) Host" => "Backup (Replika) Vært", +"Give an optional backup host. It must be a replica of the main LDAP/AD server." => "Opgiv en ikke obligatorisk backup server. Denne skal være en replikation af hoved-LDAP/AD serveren.", "Backup (Replica) Port" => "Backup (Replika) Port", "Disable Main Server" => "Deaktiver Hovedserver", "Only connect to the replica server." => "Forbind kun til replika serveren.", "Use TLS" => "Brug TLS", "Do not use it additionally for LDAPS connections, it will fail." => "Benyt ikke flere LDAPS forbindelser, det vil mislykkeds. ", +"Case insensitve LDAP server (Windows)" => "Ikke versalfølsom LDAP server (Windows)", "Turn off SSL certificate validation." => "Deaktiver SSL certifikat validering", +"Cache Time-To-Live" => "Cache Time-To-Live", "User Display Name Field" => "User Display Name Field", "Base User Tree" => "Base Bruger Træ", "Base Group Tree" => "Base Group Tree", "Group-Member association" => "Group-Member association", +"Quota Field" => "Kvote Felt", "in bytes" => "i bytes", "Email Field" => "Email Felt", "Internal Username" => "Internt Brugernavn", diff --git a/apps/user_ldap/l10n/nl.php b/apps/user_ldap/l10n/nl.php index 301cad98521..b56dcf15791 100644 --- a/apps/user_ldap/l10n/nl.php +++ b/apps/user_ldap/l10n/nl.php @@ -30,8 +30,11 @@ $TRANSLATIONS = array( "Password" => "Wachtwoord", "For anonymous access, leave DN and Password empty." => "Voor anonieme toegang, laat de DN en het wachtwoord leeg.", "User Login Filter" => "Gebruikers Login Filter", +"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action. Example: \"uid=%%uid\"" => "Definiëert het toe te passen filter als er geprobeerd wordt in te loggen. %%uid vervangt de gebruikersnaam bij het inloggen. Bijvoorbeeld: \"uid=%%uid\"", "User List Filter" => "Gebruikers Lijst Filter", +"Defines the filter to apply, when retrieving users (no placeholders). Example: \"objectClass=person\"" => "Definieert het toe te passen filter bij het ophalen van gebruikers (geen tijdelijke aanduidingen). Bijvoorbeeld: \"objectClass=person\"", "Group Filter" => "Groep Filter", +"Defines the filter to apply, when retrieving groups (no placeholders). Example: \"objectClass=posixGroup\"" => "Definieert het toe te passen filter bij het ophalen van groepen (geen tijdelijke aanduidingen). Bijvoorbeeld: \"objectClass=posixGroup\"", "Connection Settings" => "Verbindingsinstellingen", "Configuration Active" => "Configuratie actief", "When unchecked, this configuration will be skipped." => "Als dit niet is ingeschakeld wordt deze configuratie overgeslagen.", @@ -45,6 +48,7 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "Gebruik het niet voor LDAPS verbindingen, dat gaat niet lukken.", "Case insensitve LDAP server (Windows)" => "Niet-hoofdlettergevoelige LDAP server (Windows)", "Turn off SSL certificate validation." => "Schakel SSL certificaat validatie uit.", +"Not recommended, use it for testing only! If connection only works with this option, import the LDAP server's SSL certificate in your %s server." => "Niet aanbevolen, gebruik alleen om te testen! Als de connectie alleen werkt met deze optie, importeer dan het SSL-certificaat van de LDAP-server naar uw %s server.", "Cache Time-To-Live" => "Cache time-to-live", "in seconds. A change empties the cache." => "in seconden. Een verandering maakt de cache leeg.", "Directory Settings" => "Mapinstellingen", diff --git a/core/l10n/he.php b/core/l10n/he.php index 7f3f4dfdd32..c9c6e1f7507 100644 --- a/core/l10n/he.php +++ b/core/l10n/he.php @@ -1,5 +1,6 @@ "%s שיתף/שיתפה איתך את »%s«", "Category type not provided." => "סוג הקטגוריה לא סופק.", "No category to add?" => "אין קטגוריה להוספה?", "This category already exists: %s" => "הקטגוריה הבאה כבר קיימת: %s", @@ -29,13 +30,13 @@ $TRANSLATIONS = array( "December" => "דצמבר", "Settings" => "הגדרות", "seconds ago" => "שניות", -"_%n minute ago_::_%n minutes ago_" => array("",""), -"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n minute ago_::_%n minutes ago_" => array("לפני %n דקה","לפני %n דקות"), +"_%n hour ago_::_%n hours ago_" => array("לפני %n שעה","לפני %n שעות"), "today" => "היום", "yesterday" => "אתמול", -"_%n day ago_::_%n days ago_" => array("",""), +"_%n day ago_::_%n days ago_" => array("לפני %n יום","לפני %n ימים"), "last month" => "חודש שעבר", -"_%n month ago_::_%n months ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("לפני %n חודש","לפני %n חודשים"), "months ago" => "חודשים", "last year" => "שנה שעברה", "years ago" => "שנים", @@ -86,6 +87,7 @@ $TRANSLATIONS = array( "Request failed!
    Did you make sure your email/username was right?" => "הבקשה נכשלה!
    האם כתובת הדוא״ל/שם המשתמש שלך נכונים?", "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,10 +100,12 @@ $TRANSLATIONS = array( "Help" => "עזרה", "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\nלצפיה: %s\n\nיום טוב!", "Edit categories" => "ערוך קטגוריות", "Add" => "הוספה", "Security Warning" => "אזהרת אבטחה", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "גרסת ה־PHP פגיעה בפני התקפת בית NULL/ריק (CVE-2006-7243)", +"Please update your PHP installation to use %s securely." => "נא לעדכן את התקנת ה-PHP שלך כדי להשתמש ב-%s בצורה מאובטחת.", "No secure random number generator is available, please enable the PHP OpenSSL extension." => "אין מחולל מספרים אקראיים מאובטח, נא להפעיל את ההרחבה OpenSSL ב־PHP.", "Without a secure random number generator an attacker may be able to predict password reset tokens and take over your account." => "ללא מחולל מספרים אקראיים מאובטח תוקף יכול לנבא את מחרוזות איפוס הססמה ולהשתלט על החשבון שלך.", "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." => "תיקיית וקבצי המידע שלך כנראה נגישים מהאינטרנט מכיוון שקובץ ה.htaccess לא עובד.", @@ -118,6 +122,7 @@ $TRANSLATIONS = array( "Finish setup" => "סיום התקנה", "%s is available. Get more information on how to update." => "%s זמינה להורדה. ניתן ללחוץ כדי לקבל מידע נוסף כיצד לעדכן.", "Log out" => "התנתקות", +"More apps" => "יישומים נוספים", "Automatic logon rejected!" => "בקשת הכניסה האוטומטית נדחתה!", "If you did not change your password recently, your account may be compromised!" => "אם לא שינית את ססמתך לאחרונה, יתכן שחשבונך נפגע!", "Please change your password to secure your account again." => "נא לשנות את הססמה שלך כדי לאבטח את חשבונך מחדש.", @@ -125,6 +130,7 @@ $TRANSLATIONS = array( "remember" => "שמירת הססמה", "Log in" => "כניסה", "Alternative Logins" => "כניסות אלטרנטיביות", +"Hey there,

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

    Cheers!" => "שלום,

    רצינו לעדכן כי %s שיתף/שיתפה איתך את »%s«.
    לצפיה

    יום טוב!", "Updating ownCloud to version %s, this may take a while." => "מעדכן את ownCloud אל גרסא %s, זה עלול לקחת זמן מה." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/l10n/da/user_ldap.po b/l10n/da/user_ldap.po index 0882b5d0a80..1d75484a1d3 100644 --- a/l10n/da/user_ldap.po +++ b/l10n/da/user_ldap.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-23 20:16-0400\n" +"PO-Revision-Date: 2013-08-22 20:00+0000\n" +"Last-Translator: Sappe\n" "Language-Team: Danish (http://www.transifex.com/projects/p/owncloud/language/da/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -48,7 +48,7 @@ msgstr "Fejl ved sletning" #: js/settings.js:82 msgid "Take over settings from recent server configuration?" -msgstr "" +msgstr "Overtag indstillinger fra nylig server konfiguration? " #: js/settings.js:83 msgid "Keep settings?" @@ -202,7 +202,7 @@ msgstr "Backup (Replika) Vært" msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." -msgstr "" +msgstr "Opgiv en ikke obligatorisk backup server. Denne skal være en replikation af hoved-LDAP/AD serveren." #: templates/settings.php:71 msgid "Backup (Replica) Port" @@ -226,7 +226,7 @@ msgstr "Benyt ikke flere LDAPS forbindelser, det vil mislykkeds. " #: templates/settings.php:74 msgid "Case insensitve LDAP server (Windows)" -msgstr "" +msgstr "Ikke versalfølsom LDAP server (Windows)" #: templates/settings.php:75 msgid "Turn off SSL certificate validation." @@ -241,7 +241,7 @@ msgstr "" #: templates/settings.php:76 msgid "Cache Time-To-Live" -msgstr "" +msgstr "Cache Time-To-Live" #: templates/settings.php:76 msgid "in seconds. A change empties the cache." @@ -305,7 +305,7 @@ msgstr "" #: templates/settings.php:90 msgid "Quota Field" -msgstr "" +msgstr "Kvote Felt" #: templates/settings.php:91 msgid "Quota Default" diff --git a/l10n/he/core.po b/l10n/he/core.po index 4919323ca05..53f3aae44a7 100644 --- a/l10n/he/core.po +++ b/l10n/he/core.po @@ -3,14 +3,15 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# gilshwartz, 2013 # Yaron Shahrabani , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-23 20:16-0400\n" +"PO-Revision-Date: 2013-08-22 15:40+0000\n" +"Last-Translator: gilshwartz\n" "Language-Team: Hebrew (http://www.transifex.com/projects/p/owncloud/language/he/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -21,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." @@ -149,14 +150,14 @@ msgstr "שניות" #: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "לפני %n דקה" +msgstr[1] "לפני %n דקות" #: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "לפני %n שעה" +msgstr[1] "לפני %n שעות" #: js/js.js:815 msgid "today" @@ -169,8 +170,8 @@ msgstr "אתמול" #: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "לפני %n יום" +msgstr[1] "לפני %n ימים" #: js/js.js:818 msgid "last month" @@ -179,8 +180,8 @@ msgstr "חודש שעבר" #: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "לפני %n חודש" +msgstr[1] "לפני %n חודשים" #: js/js.js:820 msgid "months ago" @@ -194,23 +195,23 @@ msgstr "שנה שעברה" msgid "years ago" msgstr "שנים" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "בחירה" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "שגיאה בטעינת תבנית בחירת הקבצים" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "כן" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "לא" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "בסדר" @@ -413,7 +414,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" @@ -472,7 +473,7 @@ msgid "" "View it: %s\n" "\n" "Cheers!" -msgstr "" +msgstr "שלום,\n\nרצינו לעדכן כי %s שיתף/שיתפה איתך את »%s«.\n\nלצפיה: %s\n\nיום טוב!" #: templates/edit_categories_dialog.php:4 msgid "Edit categories" @@ -494,7 +495,7 @@ msgstr "גרסת ה־PHP פגיעה בפני התקפת בית NULL/ריק (CVE- #: templates/installation.php:26 #, php-format msgid "Please update your PHP installation to use %s securely." -msgstr "" +msgstr "נא לעדכן את התקנת ה-PHP שלך כדי להשתמש ב-%s בצורה מאובטחת." #: templates/installation.php:32 msgid "" @@ -578,7 +579,7 @@ msgstr "התנתקות" #: templates/layout.user.php:100 msgid "More apps" -msgstr "" +msgstr "יישומים נוספים" #: templates/login.php:9 msgid "Automatic logon rejected!" @@ -615,7 +616,7 @@ msgstr "כניסות אלטרנטיביות" msgid "" "Hey there,

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

    Cheers!" -msgstr "" +msgstr "שלום,

    רצינו לעדכן כי %s שיתף/שיתפה איתך את »%s«.
    לצפיה

    יום טוב!" #: templates/update.php:3 #, php-format diff --git a/l10n/he/lib.po b/l10n/he/lib.po index ba288940743..34b59c0bfc9 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-23 20:16-0400\n" +"PO-Revision-Date: 2013-08-22 15:40+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" @@ -205,13 +205,13 @@ msgstr "שניות" msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" -msgstr[1] "" +msgstr[1] "לפני %n דקות" #: template/functions.php:82 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" -msgstr[1] "" +msgstr[1] "לפני %n שעות" #: template/functions.php:83 msgid "today" @@ -225,7 +225,7 @@ msgstr "אתמול" msgid "%n day go" msgid_plural "%n days ago" msgstr[0] "" -msgstr[1] "" +msgstr[1] "לפני %n ימים" #: template/functions.php:86 msgid "last month" @@ -235,7 +235,7 @@ msgstr "חודש שעבר" msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" -msgstr[1] "" +msgstr[1] "לפני %n חודשים" #: template/functions.php:88 msgid "last year" diff --git a/l10n/lb/settings.po b/l10n/lb/settings.po index 9a9db6a3fc5..bc5e2c40607 100644 --- a/l10n/lb/settings.po +++ b/l10n/lb/settings.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-23 20:16-0400\n" +"PO-Revision-Date: 2013-08-23 11:10+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" @@ -28,23 +29,23 @@ msgstr "Authentifikatioun's Fehler" #: ajax/changedisplayname.php:31 msgid "Your display name has been changed." -msgstr "" +msgstr "Aren Nickname ass geännert ginn." #: ajax/changedisplayname.php:34 msgid "Unable to change display name" -msgstr "" +msgstr "Unmeiglech den Nickname ze änneren." #: ajax/creategroup.php:10 msgid "Group already exists" -msgstr "" +msgstr "Group existeiert schon." #: ajax/creategroup.php:19 msgid "Unable to add group" -msgstr "" +msgstr "Onmeiglech Grupp beizefügen." #: ajax/enableapp.php:11 msgid "Could not enable app. " -msgstr "" +msgstr "Kann App net aktiveieren." #: ajax/lostpassword.php:12 msgid "Email saved" @@ -56,11 +57,11 @@ msgstr "Ongülteg e-mail" #: ajax/removegroup.php:13 msgid "Unable to delete group" -msgstr "" +msgstr "Onmeiglech d'Grup ze läschen." #: ajax/removeuser.php:25 msgid "Unable to delete user" -msgstr "" +msgstr "Onmeiglech User zu läschen." #: ajax/setlanguage.php:15 msgid "Language changed" @@ -72,12 +73,12 @@ msgstr "Ongülteg Requête" #: ajax/togglegroups.php:12 msgid "Admins can't remove themself from the admin group" -msgstr "" +msgstr "Admins kennen sech selwer net aus enger Admin Group läschen." #: ajax/togglegroups.php:30 #, php-format msgid "Unable to add user to group %s" -msgstr "" +msgstr "Onmeiglech User an Grupp ze sätzen %s" #: ajax/togglegroups.php:36 #, php-format @@ -145,27 +146,27 @@ msgstr "" msgid "Groups" msgstr "Gruppen" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Gruppen Admin" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Läschen" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" diff --git a/l10n/lv/files.po b/l10n/lv/files.po index 3b3ce3b88ed..fc8b014e7b7 100644 --- a/l10n/lv/files.po +++ b/l10n/lv/files.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-23 20:15-0400\n" +"PO-Revision-Date: 2013-08-23 14:10+0000\n" +"Last-Translator: stendec \n" "Language-Team: Latvian (http://www.transifex.com/projects/p/owncloud/language/lv/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -100,15 +100,15 @@ msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Notiek augšupielāde. Pametot lapu tagad, tiks atcelta augšupielāde." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:234 js/files.js:353 msgid "URL cannot be empty." msgstr "URL nevar būt tukšs." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:239 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Kļūdains mapes nosaukums. 'Shared' lietošana ir rezervēta no ownCloud" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 #: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Kļūda" @@ -190,7 +190,7 @@ msgstr "Jūsu krātuve ir gandrīz pilna ({usedSpacePercent}%)" msgid "" "Encryption was disabled but your files are still encrypted. Please go to " "your personal settings to decrypt your files." -msgstr "" +msgstr "Šifrēšana tika atslēgta, tomēr jūsu faili joprojām ir šifrēti. Atšifrēt failus var Personiskajos uzstādījumos." #: js/files.js:245 msgid "" diff --git a/l10n/lv/settings.po b/l10n/lv/settings.po index cfc93b2ae11..635999b490d 100644 --- a/l10n/lv/settings.po +++ b/l10n/lv/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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-23 20:16-0400\n" +"PO-Revision-Date: 2013-08-23 14:10+0000\n" +"Last-Translator: stendec \n" "Language-Team: Latvian (http://www.transifex.com/projects/p/owncloud/language/lv/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -123,7 +123,7 @@ msgstr "Atjaunināta" #: js/personal.js:150 msgid "Decrypting files... Please wait, this can take some time." -msgstr "" +msgstr "Atšifrēju failus... Uzgaidiet tas var ilgt kādu laiku." #: js/personal.js:172 msgid "Saving..." @@ -476,15 +476,15 @@ msgstr "Šifrēšana" #: templates/personal.php:119 msgid "The encryption app is no longer enabled, decrypt all your file" -msgstr "" +msgstr "Šifrēšanas lietotne ir atslēgta, atšifrējiet visus jūsu failus" #: templates/personal.php:125 msgid "Log-in password" -msgstr "" +msgstr "Pieslēgšanās parole" #: templates/personal.php:130 msgid "Decrypt all Files" -msgstr "" +msgstr "Atšifrēt visus failus" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/nl/user_ldap.po b/l10n/nl/user_ldap.po index 121b8643e5e..61ed6bb4d84 100644 --- a/l10n/nl/user_ldap.po +++ b/l10n/nl/user_ldap.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-23 20:16-0400\n" +"PO-Revision-Date: 2013-08-23 16:30+0000\n" +"Last-Translator: kwillems \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" @@ -158,7 +158,7 @@ msgstr "Gebruikers Login Filter" msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " "username in the login action. Example: \"uid=%%uid\"" -msgstr "" +msgstr "Definiëert het toe te passen filter als er geprobeerd wordt in te loggen. %%uid vervangt de gebruikersnaam bij het inloggen. Bijvoorbeeld: \"uid=%%uid\"" #: templates/settings.php:55 msgid "User List Filter" @@ -168,7 +168,7 @@ msgstr "Gebruikers Lijst Filter" msgid "" "Defines the filter to apply, when retrieving users (no placeholders). " "Example: \"objectClass=person\"" -msgstr "" +msgstr "Definieert het toe te passen filter bij het ophalen van gebruikers (geen tijdelijke aanduidingen). Bijvoorbeeld: \"objectClass=person\"" #: templates/settings.php:59 msgid "Group Filter" @@ -178,7 +178,7 @@ msgstr "Groep Filter" msgid "" "Defines the filter to apply, when retrieving groups (no placeholders). " "Example: \"objectClass=posixGroup\"" -msgstr "" +msgstr "Definieert het toe te passen filter bij het ophalen van groepen (geen tijdelijke aanduidingen). Bijvoorbeeld: \"objectClass=posixGroup\"" #: templates/settings.php:66 msgid "Connection Settings" @@ -239,7 +239,7 @@ msgstr "Schakel SSL certificaat validatie uit." msgid "" "Not recommended, use it for testing only! If connection only works with this" " option, import the LDAP server's SSL certificate in your %s server." -msgstr "" +msgstr "Niet aanbevolen, gebruik alleen om te testen! Als de connectie alleen werkt met deze optie, importeer dan het SSL-certificaat van de LDAP-server naar uw %s server." #: templates/settings.php:76 msgid "Cache Time-To-Live" diff --git a/l10n/templates/core.pot b/l10n/templates/core.pot index 8ce60bb01f4..b3486698ba2 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-08-22 10:36-0400\n" +"POT-Creation-Date: 2013-08-23 20:16-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.pot b/l10n/templates/files.pot index 2b4ba672058..d9bb4fa58bb 100644 --- a/l10n/templates/files.pot +++ b/l10n/templates/files.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-08-22 10:35-0400\n" +"POT-Creation-Date: 2013-08-23 20:15-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_encryption.pot b/l10n/templates/files_encryption.pot index 1cded052b04..83f7a516481 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-08-22 10:35-0400\n" +"POT-Creation-Date: 2013-08-23 20:15-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 a607233510d..36cb92f6a27 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-08-22 10:36-0400\n" +"POT-Creation-Date: 2013-08-23 20:16-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_sharing.pot b/l10n/templates/files_sharing.pot index 28e61114e94..2c26b0837ba 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-08-22 10:36-0400\n" +"POT-Creation-Date: 2013-08-23 20:16-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_trashbin.pot b/l10n/templates/files_trashbin.pot index f53c0f77fba..cdf9243a0e3 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-08-22 10:36-0400\n" +"POT-Creation-Date: 2013-08-23 20:16-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 9238c2c7fd1..cf5eabe266c 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-08-22 10:36-0400\n" +"POT-Creation-Date: 2013-08-23 20:16-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 e8801c9f043..b6d518031b6 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-08-22 10:36-0400\n" +"POT-Creation-Date: 2013-08-23 20:16-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/settings.pot b/l10n/templates/settings.pot index 981d9b2841d..cca3d48e8ca 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-08-22 10:36-0400\n" +"POT-Creation-Date: 2013-08-23 20:16-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_ldap.pot b/l10n/templates/user_ldap.pot index d29a99b6e4b..fceb7fdac59 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-08-22 10:36-0400\n" +"POT-Creation-Date: 2013-08-23 20:16-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 6090739e41a..13bff53197b 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-08-22 10:36-0400\n" +"POT-Creation-Date: 2013-08-23 20:16-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/tr/files.po b/l10n/tr/files.po index d7be2b4bff6..28cd5fa42a7 100644 --- a/l10n/tr/files.po +++ b/l10n/tr/files.po @@ -3,15 +3,16 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# alicanbatur , 2013 # ismail yenigül , 2013 # tridinebandim, 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-23 20:15-0400\n" +"PO-Revision-Date: 2013-08-22 16:50+0000\n" +"Last-Translator: alicanbatur \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" @@ -101,15 +102,15 @@ msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Dosya yükleme işlemi sürüyor. Şimdi sayfadan ayrılırsanız işleminiz iptal olur." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:234 js/files.js:353 msgid "URL cannot be empty." msgstr "URL boş olamaz." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:239 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Geçersiz dizin adı. 'Shared' dizin ismi kullanımı ownCloud tarafından rezerve edilmiştir." -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 #: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Hata" @@ -190,7 +191,7 @@ msgstr "Depolama alanınız neredeyse dolu ({usedSpacePercent}%)" msgid "" "Encryption was disabled but your files are still encrypted. Please go to " "your personal settings to decrypt your files." -msgstr "" +msgstr "Şifreleme işlemi durduruldu ancak dosyalarınız şifreli. Dosyalarınızın şifresini kaldırmak için lütfen kişisel ayarlar kısmına geçiniz." #: js/files.js:245 msgid "" diff --git a/l10n/tr/settings.po b/l10n/tr/settings.po index 046cf20bcf1..3635611c1c6 100644 --- a/l10n/tr/settings.po +++ b/l10n/tr/settings.po @@ -3,15 +3,16 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# DeeJaVu , 2013 # ismail yenigül , 2013 # tridinebandim, 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-23 20:16-0400\n" +"PO-Revision-Date: 2013-08-22 22:10+0000\n" +"Last-Translator: DeeJaVu \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" @@ -124,7 +125,7 @@ msgstr "Güncellendi" #: js/personal.js:150 msgid "Decrypting files... Please wait, this can take some time." -msgstr "" +msgstr "Dosyaların şifresi çözülüyor... Lütfen bekleyin, bu biraz zaman alabilir." #: js/personal.js:172 msgid "Saving..." @@ -283,7 +284,7 @@ msgstr "Herkes tarafından yüklemeye izin ver" #: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" -msgstr "" +msgstr "Kullanıcıların, herkese açık dizinlerine, başkalarının dosya yüklemelerini etkinleştirmelerine izin ver." #: templates/admin.php:152 msgid "Allow resharing" @@ -477,15 +478,15 @@ msgstr "Şifreleme" #: templates/personal.php:119 msgid "The encryption app is no longer enabled, decrypt all your file" -msgstr "" +msgstr "Şifreleme uygulaması artık etkin değil, tüm dosyanın şifresini çöz" #: templates/personal.php:125 msgid "Log-in password" -msgstr "" +msgstr "Oturum açma parolası" #: templates/personal.php:130 msgid "Decrypt all Files" -msgstr "" +msgstr "Tüm dosyaların şifresini çözme" #: templates/users.php:21 msgid "Login Name" diff --git a/lib/l10n/he.php b/lib/l10n/he.php index bab1a6ff424..ced6244ee91 100644 --- a/lib/l10n/he.php +++ b/lib/l10n/he.php @@ -19,13 +19,13 @@ $TRANSLATIONS = array( "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" => "שניות", -"_%n minute ago_::_%n minutes ago_" => array("",""), -"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n minute ago_::_%n minutes ago_" => array("","לפני %n דקות"), +"_%n hour ago_::_%n hours ago_" => array("","לפני %n שעות"), "today" => "היום", "yesterday" => "אתמול", -"_%n day go_::_%n days ago_" => array("",""), +"_%n day go_::_%n days ago_" => array("","לפני %n ימים"), "last month" => "חודש שעבר", -"_%n month ago_::_%n months ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("","לפני %n חודשים"), "last year" => "שנה שעברה", "years ago" => "שנים", "Could not find category \"%s\"" => "לא ניתן למצוא את הקטגוריה „%s“" diff --git a/settings/l10n/lb.php b/settings/l10n/lb.php index 7902e37a4f9..9d3213b1735 100644 --- a/settings/l10n/lb.php +++ b/settings/l10n/lb.php @@ -2,10 +2,19 @@ $TRANSLATIONS = array( "Unable to load list from App Store" => "Konnt Lescht net vum App Store lueden", "Authentication error" => "Authentifikatioun's Fehler", +"Your display name has been changed." => "Aren Nickname ass geännert ginn.", +"Unable to change display name" => "Unmeiglech den Nickname ze änneren.", +"Group already exists" => "Group existeiert schon.", +"Unable to add group" => "Onmeiglech Grupp beizefügen.", +"Could not enable app. " => "Kann App net aktiveieren.", "Email saved" => "E-mail gespäichert", "Invalid email" => "Ongülteg e-mail", +"Unable to delete group" => "Onmeiglech d'Grup ze läschen.", +"Unable to delete user" => "Onmeiglech User zu läschen.", "Language changed" => "Sprooch huet geännert", "Invalid request" => "Ongülteg Requête", +"Admins can't remove themself from the admin group" => "Admins kennen sech selwer net aus enger Admin Group läschen.", +"Unable to add user to group %s" => "Onmeiglech User an Grupp ze sätzen %s", "Disable" => "Ofschalten", "Enable" => "Aschalten", "Error" => "Fehler", diff --git a/settings/l10n/lv.php b/settings/l10n/lv.php index e9e4b335d9d..f492c168bf7 100644 --- a/settings/l10n/lv.php +++ b/settings/l10n/lv.php @@ -25,6 +25,7 @@ $TRANSLATIONS = array( "Updating...." => "Atjaunina....", "Error while updating app" => "Kļūda, atjauninot lietotni", "Updated" => "Atjaunināta", +"Decrypting files... Please wait, this can take some time." => "Atšifrēju failus... Uzgaidiet tas var ilgt kādu laiku.", "Saving..." => "Saglabā...", "deleted" => "izdzests", "undo" => "atsaukt", @@ -103,6 +104,9 @@ $TRANSLATIONS = array( "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Lietojiet šo adresi lai piekļūtu saviem failiem ar WebDAV", "Encryption" => "Šifrēšana", +"The encryption app is no longer enabled, decrypt all your file" => "Šifrēšanas lietotne ir atslēgta, atšifrējiet visus jūsu failus", +"Log-in password" => "Pieslēgšanās parole", +"Decrypt all Files" => "Atšifrēt visus failus", "Login Name" => "Ierakstīšanās vārds", "Create" => "Izveidot", "Admin Recovery Password" => "Administratora atgūšanas parole", diff --git a/settings/l10n/tr.php b/settings/l10n/tr.php index e391d39fa5d..dd5fb10d96c 100644 --- a/settings/l10n/tr.php +++ b/settings/l10n/tr.php @@ -25,6 +25,7 @@ $TRANSLATIONS = array( "Updating...." => "Güncelleniyor....", "Error while updating app" => "Uygulama güncellenirken hata", "Updated" => "Güncellendi", +"Decrypting files... Please wait, this can take some time." => "Dosyaların şifresi çözülüyor... Lütfen bekleyin, bu biraz zaman alabilir.", "Saving..." => "Kaydediliyor...", "deleted" => "silindi", "undo" => "geri al", @@ -58,6 +59,7 @@ $TRANSLATIONS = array( "Allow links" => "Bağlantıları izin ver.", "Allow users to share items to the public with links" => "Kullanıcıların nesneleri paylaşımı için herkese açık bağlantılara izin ver", "Allow public uploads" => "Herkes tarafından yüklemeye izin ver", +"Allow users to enable others to upload into their publicly shared folders" => "Kullanıcıların, herkese açık dizinlerine, başkalarının dosya yüklemelerini etkinleştirmelerine izin ver.", "Allow resharing" => "Paylaşıma izin ver", "Allow users to share items shared with them again" => "Kullanıcıların kendileri ile paylaşılan öğeleri yeniden paylaşmasına izin ver", "Allow users to share with anyone" => "Kullanıcıların herşeyi paylaşmalarına izin ver", @@ -102,6 +104,9 @@ $TRANSLATIONS = array( "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => " Dosyalarınıza WebDAV üzerinen erişme için bu adresi kullanın", "Encryption" => "Şifreleme", +"The encryption app is no longer enabled, decrypt all your file" => "Şifreleme uygulaması artık etkin değil, tüm dosyanın şifresini çöz", +"Log-in password" => "Oturum açma parolası", +"Decrypt all Files" => "Tüm dosyaların şifresini çözme", "Login Name" => "Giriş Adı", "Create" => "Oluştur", "Admin Recovery Password" => "Yönetici kurtarma parolası", -- GitLab From fbe7a68ce8837fd60f36ba21298c8e8cd68f42fe Mon Sep 17 00:00:00 2001 From: kondou Date: Sat, 24 Aug 2013 14:31:32 +0200 Subject: [PATCH 327/415] Use personal-password for the password name in personal.php Fix #4491 --- settings/ajax/changepassword.php | 2 +- settings/templates/personal.php | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/settings/ajax/changepassword.php b/settings/ajax/changepassword.php index d409904ebc7..47ceb5ab873 100644 --- a/settings/ajax/changepassword.php +++ b/settings/ajax/changepassword.php @@ -8,7 +8,7 @@ OC_JSON::checkLoggedIn(); OC_APP::loadApps(); $username = isset($_POST['username']) ? $_POST['username'] : OC_User::getUser(); -$password = isset($_POST['password']) ? $_POST['password'] : null; +$password = isset($_POST['personal-password']) ? $_POST['personal-password'] : null; $oldPassword = isset($_POST['oldpassword']) ? $_POST['oldpassword'] : ''; $recoveryPassword = isset($_POST['recoveryPassword']) ? $_POST['recoveryPassword'] : null; diff --git a/settings/templates/personal.php b/settings/templates/personal.php index bad88142da9..63e1258b958 100644 --- a/settings/templates/personal.php +++ b/settings/templates/personal.php @@ -40,7 +40,7 @@ if($_['passwordChangeSupported']) {
    t('Your password was changed');?>
    t('Unable to change your password');?>
    - -- GitLab From d587146a5abf0abcb88e2cccbb74c486ee8510a3 Mon Sep 17 00:00:00 2001 From: Jenkins for ownCloud Date: Sun, 25 Aug 2013 19:21:52 -0400 Subject: [PATCH 328/415] [tx-robot] updated from transifex --- apps/files/l10n/da.php | 2 +- apps/files/l10n/eu.php | 7 +- apps/files/l10n/it.php | 7 +- apps/files_sharing/l10n/eu.php | 6 ++ apps/files_trashbin/l10n/eu.php | 5 +- apps/files_trashbin/l10n/it.php | 4 +- apps/user_ldap/l10n/it.php | 4 ++ apps/user_webdavauth/l10n/nb_NO.php | 6 +- core/l10n/eu.php | 10 +-- core/l10n/it.php | 10 +-- l10n/af_ZA/lib.po | 83 +++++++++++++++++++++--- l10n/af_ZA/settings.po | 52 ++++++++------- l10n/ar/lib.po | 83 +++++++++++++++++++++--- l10n/ar/settings.po | 42 ++++++------ l10n/be/lib.po | 83 +++++++++++++++++++++--- l10n/be/settings.po | 52 ++++++++------- l10n/bg_BG/lib.po | 83 +++++++++++++++++++++--- l10n/bg_BG/settings.po | 42 ++++++------ l10n/bn_BD/lib.po | 83 +++++++++++++++++++++--- l10n/bn_BD/settings.po | 42 ++++++------ l10n/bs/lib.po | 83 +++++++++++++++++++++--- l10n/bs/settings.po | 52 ++++++++------- l10n/ca/lib.po | 85 ++++++++++++++++++++++--- l10n/ca/settings.po | 44 +++++++------ l10n/cs_CZ/lib.po | 83 +++++++++++++++++++++--- l10n/cs_CZ/settings.po | 44 +++++++------ l10n/cy_GB/lib.po | 83 +++++++++++++++++++++--- l10n/cy_GB/settings.po | 42 ++++++------ l10n/da/files.po | 6 +- l10n/da/lib.po | 83 +++++++++++++++++++++--- l10n/da/settings.po | 44 +++++++------ l10n/de/lib.po | 83 +++++++++++++++++++++--- l10n/de/settings.po | 44 +++++++------ l10n/de_AT/lib.po | 83 +++++++++++++++++++++--- l10n/de_AT/settings.po | 52 ++++++++------- l10n/de_CH/lib.po | 83 +++++++++++++++++++++--- l10n/de_CH/settings.po | 42 ++++++------ l10n/de_DE/lib.po | 83 +++++++++++++++++++++--- l10n/de_DE/settings.po | 44 +++++++------ l10n/el/lib.po | 83 +++++++++++++++++++++--- l10n/el/settings.po | 42 ++++++------ l10n/en@pirate/lib.po | 83 +++++++++++++++++++++--- l10n/en@pirate/settings.po | 52 ++++++++------- l10n/eo/lib.po | 83 +++++++++++++++++++++--- l10n/eo/settings.po | 42 ++++++------ l10n/es/lib.po | 83 +++++++++++++++++++++--- l10n/es/settings.po | 57 +++++++++-------- l10n/es_AR/lib.po | 83 +++++++++++++++++++++--- l10n/es_AR/settings.po | 42 ++++++------ l10n/et_EE/lib.po | 83 +++++++++++++++++++++--- l10n/et_EE/settings.po | 44 +++++++------ l10n/eu/core.po | 36 +++++------ l10n/eu/files.po | 27 ++++---- l10n/eu/files_sharing.po | 18 +++--- l10n/eu/files_trashbin.po | 17 ++--- l10n/eu/lib.po | 99 ++++++++++++++++++++++++----- l10n/eu/settings.po | 42 ++++++------ l10n/fa/lib.po | 83 +++++++++++++++++++++--- l10n/fa/settings.po | 42 ++++++------ l10n/fi_FI/lib.po | 83 +++++++++++++++++++++--- l10n/fi_FI/settings.po | 44 +++++++------ l10n/fr/lib.po | 83 +++++++++++++++++++++--- l10n/fr/settings.po | 42 ++++++------ l10n/gl/lib.po | 83 +++++++++++++++++++++--- l10n/gl/settings.po | 44 +++++++------ l10n/he/lib.po | 83 +++++++++++++++++++++--- l10n/he/settings.po | 42 ++++++------ l10n/hi/lib.po | 83 +++++++++++++++++++++--- l10n/hi/settings.po | 54 ++++++++-------- l10n/hr/lib.po | 83 +++++++++++++++++++++--- l10n/hr/settings.po | 54 ++++++++-------- l10n/hu_HU/lib.po | 83 +++++++++++++++++++++--- l10n/hu_HU/settings.po | 42 ++++++------ l10n/hy/lib.po | 83 +++++++++++++++++++++--- l10n/hy/settings.po | 52 ++++++++------- l10n/ia/lib.po | 83 +++++++++++++++++++++--- l10n/ia/settings.po | 54 ++++++++-------- l10n/id/lib.po | 83 +++++++++++++++++++++--- l10n/id/settings.po | 42 ++++++------ l10n/is/lib.po | 83 +++++++++++++++++++++--- l10n/is/settings.po | 42 ++++++------ l10n/it/core.po | 36 +++++------ l10n/it/files.po | 26 ++++---- l10n/it/files_trashbin.po | 14 ++-- l10n/it/lib.po | 99 ++++++++++++++++++++++++----- l10n/it/settings.po | 50 ++++++++------- l10n/it/user_ldap.po | 14 ++-- l10n/ja_JP/lib.po | 83 +++++++++++++++++++++--- l10n/ja_JP/settings.po | 44 +++++++------ l10n/ka/lib.po | 83 +++++++++++++++++++++--- l10n/ka/settings.po | 52 ++++++++------- l10n/ka_GE/lib.po | 83 +++++++++++++++++++++--- l10n/ka_GE/settings.po | 42 ++++++------ l10n/kn/lib.po | 83 +++++++++++++++++++++--- l10n/kn/settings.po | 52 ++++++++------- l10n/ko/lib.po | 83 +++++++++++++++++++++--- l10n/ko/settings.po | 42 ++++++------ l10n/ku_IQ/lib.po | 83 +++++++++++++++++++++--- l10n/ku_IQ/settings.po | 42 ++++++------ l10n/lb/lib.po | 83 +++++++++++++++++++++--- l10n/lb/settings.po | 44 +++++++------ l10n/lt_LT/lib.po | 83 +++++++++++++++++++++--- l10n/lt_LT/settings.po | 42 ++++++------ l10n/lv/lib.po | 83 +++++++++++++++++++++--- l10n/lv/settings.po | 44 +++++++------ l10n/mk/lib.po | 83 +++++++++++++++++++++--- l10n/mk/settings.po | 42 ++++++------ l10n/ml_IN/lib.po | 83 +++++++++++++++++++++--- l10n/ml_IN/settings.po | 52 ++++++++------- l10n/ms_MY/lib.po | 83 +++++++++++++++++++++--- l10n/ms_MY/settings.po | 54 ++++++++-------- l10n/my_MM/lib.po | 83 +++++++++++++++++++++--- l10n/my_MM/settings.po | 52 ++++++++------- l10n/nb_NO/lib.po | 83 +++++++++++++++++++++--- l10n/nb_NO/settings.po | 42 ++++++------ l10n/nb_NO/user_webdavauth.po | 9 +-- l10n/ne/lib.po | 83 +++++++++++++++++++++--- l10n/ne/settings.po | 52 ++++++++------- l10n/nl/lib.po | 83 +++++++++++++++++++++--- l10n/nl/settings.po | 44 +++++++------ l10n/nn_NO/lib.po | 83 +++++++++++++++++++++--- l10n/nn_NO/settings.po | 54 ++++++++-------- l10n/oc/lib.po | 83 +++++++++++++++++++++--- l10n/oc/settings.po | 54 ++++++++-------- l10n/pl/lib.po | 83 +++++++++++++++++++++--- l10n/pl/settings.po | 42 ++++++------ l10n/pt_BR/lib.po | 83 +++++++++++++++++++++--- l10n/pt_BR/settings.po | 44 +++++++------ l10n/pt_PT/lib.po | 83 +++++++++++++++++++++--- l10n/pt_PT/settings.po | 42 ++++++------ l10n/ro/lib.po | 83 +++++++++++++++++++++--- l10n/ro/settings.po | 42 ++++++------ l10n/ru/lib.po | 83 +++++++++++++++++++++--- l10n/ru/settings.po | 42 ++++++------ l10n/si_LK/lib.po | 83 +++++++++++++++++++++--- l10n/si_LK/settings.po | 42 ++++++------ l10n/sk/lib.po | 83 +++++++++++++++++++++--- l10n/sk/settings.po | 52 ++++++++------- l10n/sk_SK/lib.po | 83 +++++++++++++++++++++--- l10n/sk_SK/settings.po | 44 +++++++------ l10n/sl/lib.po | 83 +++++++++++++++++++++--- l10n/sl/settings.po | 42 ++++++------ l10n/sq/lib.po | 83 +++++++++++++++++++++--- l10n/sq/settings.po | 54 ++++++++-------- l10n/sr/lib.po | 83 +++++++++++++++++++++--- l10n/sr/settings.po | 42 ++++++------ l10n/sr@latin/lib.po | 83 +++++++++++++++++++++--- l10n/sr@latin/settings.po | 52 ++++++++------- l10n/sv/lib.po | 83 +++++++++++++++++++++--- l10n/sv/settings.po | 44 +++++++------ l10n/sw_KE/lib.po | 83 +++++++++++++++++++++--- l10n/sw_KE/settings.po | 52 ++++++++------- l10n/ta_LK/lib.po | 83 +++++++++++++++++++++--- l10n/ta_LK/settings.po | 42 ++++++------ l10n/te/lib.po | 83 +++++++++++++++++++++--- l10n/te/settings.po | 54 ++++++++-------- l10n/templates/core.pot | 2 +- l10n/templates/files.pot | 2 +- l10n/templates/files_encryption.pot | 2 +- l10n/templates/files_external.pot | 2 +- l10n/templates/files_sharing.pot | 2 +- l10n/templates/files_trashbin.pot | 2 +- l10n/templates/files_versions.pot | 2 +- l10n/templates/lib.pot | 81 +++++++++++++++++++++-- l10n/templates/settings.pot | 38 ++++++----- l10n/templates/user_ldap.pot | 2 +- l10n/templates/user_webdavauth.pot | 2 +- l10n/th_TH/lib.po | 83 +++++++++++++++++++++--- l10n/th_TH/settings.po | 42 ++++++------ l10n/tr/lib.po | 83 +++++++++++++++++++++--- l10n/tr/settings.po | 44 +++++++------ l10n/ug/lib.po | 83 +++++++++++++++++++++--- l10n/ug/settings.po | 42 ++++++------ l10n/uk/lib.po | 83 +++++++++++++++++++++--- l10n/uk/settings.po | 42 ++++++------ l10n/ur_PK/lib.po | 83 +++++++++++++++++++++--- l10n/ur_PK/settings.po | 54 ++++++++-------- l10n/vi/lib.po | 83 +++++++++++++++++++++--- l10n/vi/settings.po | 42 ++++++------ l10n/zh_CN.GB2312/lib.po | 83 +++++++++++++++++++++--- l10n/zh_CN.GB2312/settings.po | 42 ++++++------ l10n/zh_CN/lib.po | 83 +++++++++++++++++++++--- l10n/zh_CN/settings.po | 42 ++++++------ l10n/zh_HK/lib.po | 83 +++++++++++++++++++++--- l10n/zh_HK/settings.po | 42 ++++++------ l10n/zh_TW/lib.po | 83 +++++++++++++++++++++--- l10n/zh_TW/settings.po | 42 ++++++------ lib/l10n/eu.php | 8 +-- lib/l10n/it.php | 8 +-- settings/l10n/ar.php | 5 +- settings/l10n/bg_BG.php | 4 +- settings/l10n/bn_BD.php | 3 +- settings/l10n/ca.php | 5 +- settings/l10n/cs_CZ.php | 5 +- settings/l10n/da.php | 5 +- settings/l10n/de.php | 5 +- settings/l10n/de_CH.php | 5 +- settings/l10n/de_DE.php | 5 +- settings/l10n/el.php | 5 +- settings/l10n/eo.php | 3 +- settings/l10n/es.php | 19 +++--- settings/l10n/es_AR.php | 5 +- settings/l10n/et_EE.php | 5 +- settings/l10n/eu.php | 5 +- settings/l10n/fa.php | 5 +- settings/l10n/fi_FI.php | 5 +- settings/l10n/fr.php | 5 +- settings/l10n/gl.php | 5 +- settings/l10n/he.php | 5 +- settings/l10n/hu_HU.php | 5 +- settings/l10n/ia.php | 2 +- settings/l10n/id.php | 5 +- settings/l10n/is.php | 5 +- settings/l10n/it.php | 9 ++- settings/l10n/ja_JP.php | 5 +- settings/l10n/ka_GE.php | 5 +- settings/l10n/ko.php | 5 +- settings/l10n/ku_IQ.php | 2 +- settings/l10n/lb.php | 1 - settings/l10n/lt_LT.php | 5 +- settings/l10n/lv.php | 5 +- settings/l10n/mk.php | 3 +- settings/l10n/ms_MY.php | 2 +- settings/l10n/nb_NO.php | 5 +- settings/l10n/nl.php | 5 +- settings/l10n/nn_NO.php | 5 +- settings/l10n/oc.php | 1 - settings/l10n/pl.php | 5 +- settings/l10n/pt_BR.php | 5 +- settings/l10n/pt_PT.php | 5 +- settings/l10n/ro.php | 5 +- settings/l10n/ru.php | 5 +- settings/l10n/si_LK.php | 3 +- settings/l10n/sk_SK.php | 5 +- settings/l10n/sl.php | 5 +- settings/l10n/sq.php | 2 +- settings/l10n/sr.php | 5 +- settings/l10n/sv.php | 5 +- settings/l10n/ta_LK.php | 3 +- settings/l10n/th_TH.php | 5 +- settings/l10n/tr.php | 5 +- settings/l10n/ug.php | 5 +- settings/l10n/uk.php | 5 +- settings/l10n/vi.php | 5 +- settings/l10n/zh_CN.GB2312.php | 5 +- settings/l10n/zh_CN.php | 5 +- settings/l10n/zh_TW.php | 5 +- 247 files changed, 8182 insertions(+), 2599 deletions(-) diff --git a/apps/files/l10n/da.php b/apps/files/l10n/da.php index 22ca4b0d7b4..e10b16be50e 100644 --- a/apps/files/l10n/da.php +++ b/apps/files/l10n/da.php @@ -53,7 +53,7 @@ $TRANSLATIONS = array( "Maximum upload size" => "Maksimal upload-størrelse", "max. possible: " => "max. mulige: ", "Needed for multi-file and folder downloads." => "Nødvendigt for at kunne downloade mapper og flere filer ad gangen.", -"Enable ZIP-download" => "Muliggør ZIP-download", +"Enable ZIP-download" => "Tillad ZIP-download", "0 is unlimited" => "0 er ubegrænset", "Maximum input size for ZIP files" => "Maksimal størrelse på ZIP filer", "Save" => "Gem", diff --git a/apps/files/l10n/eu.php b/apps/files/l10n/eu.php index fe6e117a93b..140261b6c15 100644 --- a/apps/files/l10n/eu.php +++ b/apps/files/l10n/eu.php @@ -32,20 +32,21 @@ $TRANSLATIONS = array( "cancel" => "ezeztatu", "replaced {new_name} with {old_name}" => " {new_name}-k {old_name} ordezkatu du", "undo" => "desegin", -"_Uploading %n file_::_Uploading %n files_" => array("",""), +"_Uploading %n file_::_Uploading %n files_" => array("Fitxategi %n igotzen","%n fitxategi igotzen"), "files uploading" => "fitxategiak igotzen", "'.' is an invalid file name." => "'.' ez da fitxategi izen baliogarria.", "File name cannot be empty." => "Fitxategi izena ezin da hutsa izan.", "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "IZen aliogabea, '\\', '/', '<', '>', ':', '\"', '|', '?' eta '*' ez daude baimenduta.", "Your storage is full, files can not be updated or synced anymore!" => "Zure biltegiratzea beterik dago, ezingo duzu aurrerantzean fitxategirik igo edo sinkronizatu!", "Your storage is almost full ({usedSpacePercent}%)" => "Zure biltegiratzea nahiko beterik dago (%{usedSpacePercent})", +"Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "Enkriptazioa desgaitua izan da baina zure fitxategiak oraindik enkriptatuta daude. Mesedez jo zure ezarpen pertsonaletara zure fitxategiak dekodifikatzeko.", "Your download is being prepared. This might take some time if the files are big." => "Zure deskarga prestatu egin behar da. Denbora bat har lezake fitxategiak handiak badira. ", "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Baliogabeako karpeta izena. 'Shared' izena Owncloudek erreserbatzen du", "Name" => "Izena", "Size" => "Tamaina", "Modified" => "Aldatuta", -"_%n folder_::_%n folders_" => array("",""), -"_%n file_::_%n files_" => array("",""), +"_%n folder_::_%n folders_" => array("karpeta %n","%n karpeta"), +"_%n file_::_%n files_" => array("fitxategi %n","%n fitxategi"), "%s could not be renamed" => "%s ezin da berrizendatu", "Upload" => "Igo", "File handling" => "Fitxategien kudeaketa", diff --git a/apps/files/l10n/it.php b/apps/files/l10n/it.php index 3220a3efb6f..43323465163 100644 --- a/apps/files/l10n/it.php +++ b/apps/files/l10n/it.php @@ -32,20 +32,21 @@ $TRANSLATIONS = array( "cancel" => "annulla", "replaced {new_name} with {old_name}" => "sostituito {new_name} con {old_name}", "undo" => "annulla", -"_Uploading %n file_::_Uploading %n files_" => array("",""), +"_Uploading %n file_::_Uploading %n files_" => array("Caricamento di %n file in corso","Caricamento di %n file in corso"), "files uploading" => "caricamento file", "'.' is an invalid file name." => "'.' non è un nome file valido.", "File name cannot be empty." => "Il nome del file non può essere vuoto.", "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Nome non valido, '\\', '/', '<', '>', ':', '\"', '|', '?' e '*' non sono consentiti.", "Your storage is full, files can not be updated or synced anymore!" => "Lo spazio di archiviazione è pieno, i file non possono essere più aggiornati o sincronizzati!", "Your storage is almost full ({usedSpacePercent}%)" => "Lo spazio di archiviazione è quasi pieno ({usedSpacePercent}%)", +"Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "La cifratura è stata disabilitata ma i tuoi file sono ancora cifrati. Vai nelle impostazioni personali per decifrare i file.", "Your download is being prepared. This might take some time if the files are big." => "Il tuo scaricamento è in fase di preparazione. Ciò potrebbe richiedere del tempo se i file sono grandi.", "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Nome della cartella non valido. L'uso di 'Shared' è riservato da ownCloud", "Name" => "Nome", "Size" => "Dimensione", "Modified" => "Modificato", -"_%n folder_::_%n folders_" => array("",""), -"_%n file_::_%n files_" => array("",""), +"_%n folder_::_%n folders_" => array("%n cartella","%n cartelle"), +"_%n file_::_%n files_" => array("%n file","%n file"), "%s could not be renamed" => "%s non può essere rinominato", "Upload" => "Carica", "File handling" => "Gestione file", diff --git a/apps/files_sharing/l10n/eu.php b/apps/files_sharing/l10n/eu.php index 8e13c24a926..7b6a4b08b3c 100644 --- a/apps/files_sharing/l10n/eu.php +++ b/apps/files_sharing/l10n/eu.php @@ -3,6 +3,12 @@ $TRANSLATIONS = array( "The password is wrong. Try again." => "Pasahitza ez da egokia. Saiatu berriro.", "Password" => "Pasahitza", "Submit" => "Bidali", +"Sorry, this link doesn’t seem to work anymore." => "Barkatu, lotura ez dirudi eskuragarria dagoenik.", +"Reasons might be:" => "Arrazoiak hurrengoak litezke:", +"the item was removed" => "fitxategia ezbatua izan da", +"the link expired" => "lotura iraungi da", +"sharing is disabled" => "elkarbanatzea ez dago gaituta", +"For more info, please ask the person who sent this link." => "Informazio gehiagorako, mesedez eskatu lotura hau bidali zuen pertsonari", "%s shared the folder %s with you" => "%sk zurekin %s karpeta elkarbanatu du", "%s shared the file %s with you" => "%sk zurekin %s fitxategia elkarbanatu du", "Download" => "Deskargatu", diff --git a/apps/files_trashbin/l10n/eu.php b/apps/files_trashbin/l10n/eu.php index b114dc3386a..240582a7ea6 100644 --- a/apps/files_trashbin/l10n/eu.php +++ b/apps/files_trashbin/l10n/eu.php @@ -8,8 +8,9 @@ $TRANSLATIONS = array( "Delete permanently" => "Ezabatu betirako", "Name" => "Izena", "Deleted" => "Ezabatuta", -"_%n folder_::_%n folders_" => array("",""), -"_%n file_::_%n files_" => array("",""), +"_%n folder_::_%n folders_" => array("karpeta %n","%n karpeta"), +"_%n file_::_%n files_" => array("fitxategi %n","%n fitxategi"), +"restored" => "Berrezarrita", "Nothing in here. Your trash bin is empty!" => "Ez dago ezer ez. Zure zakarrontzia hutsik dago!", "Restore" => "Berrezarri", "Delete" => "Ezabatu", diff --git a/apps/files_trashbin/l10n/it.php b/apps/files_trashbin/l10n/it.php index 0dc2b938f8a..e4b39c4a6d5 100644 --- a/apps/files_trashbin/l10n/it.php +++ b/apps/files_trashbin/l10n/it.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Elimina definitivamente", "Name" => "Nome", "Deleted" => "Eliminati", -"_%n folder_::_%n folders_" => array("",""), -"_%n file_::_%n files_" => array("",""), +"_%n folder_::_%n folders_" => array("%n cartella","%n cartelle"), +"_%n file_::_%n files_" => array("%n file","%n file"), "restored" => "ripristinati", "Nothing in here. Your trash bin is empty!" => "Qui non c'è niente. Il tuo cestino è vuoto.", "Restore" => "Ripristina", diff --git a/apps/user_ldap/l10n/it.php b/apps/user_ldap/l10n/it.php index 82f42ef3be9..4b47846f227 100644 --- a/apps/user_ldap/l10n/it.php +++ b/apps/user_ldap/l10n/it.php @@ -30,8 +30,11 @@ $TRANSLATIONS = array( "Password" => "Password", "For anonymous access, leave DN and Password empty." => "Per l'accesso anonimo, lasciare vuoti i campi DN e Password", "User Login Filter" => "Filtro per l'accesso utente", +"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action. Example: \"uid=%%uid\"" => "Specifica quale filtro utilizzare quando si tenta l'accesso. %%uid sostituisce il nome utente all'atto dell'accesso. Esempio: \"uid=%%uid\"", "User List Filter" => "Filtro per l'elenco utenti", +"Defines the filter to apply, when retrieving users (no placeholders). Example: \"objectClass=person\"" => "Specifica quale filtro utilizzare durante il recupero degli utenti (nessun segnaposto). Esempio: \"objectClass=person\"", "Group Filter" => "Filtro per il gruppo", +"Defines the filter to apply, when retrieving groups (no placeholders). Example: \"objectClass=posixGroup\"" => "Specifica quale filtro utilizzare durante il recupero dei gruppi (nessun segnaposto). Esempio: \"objectClass=posixGroup\"", "Connection Settings" => "Impostazioni di connessione", "Configuration Active" => "Configurazione attiva", "When unchecked, this configuration will be skipped." => "Se deselezionata, questa configurazione sarà saltata.", @@ -45,6 +48,7 @@ $TRANSLATIONS = array( "Do not use it additionally for LDAPS connections, it will fail." => "Da non utilizzare per le connessioni LDAPS, non funzionerà.", "Case insensitve LDAP server (Windows)" => "Case insensitve LDAP server (Windows)", "Turn off SSL certificate validation." => "Disattiva il controllo del certificato SSL.", +"Not recommended, use it for testing only! If connection only works with this option, import the LDAP server's SSL certificate in your %s server." => "Non consigliata, da utilizzare solo per test! Se la connessione funziona solo con questa opzione, importa il certificate SSL del server LDAP sul tuo server %s.", "Cache Time-To-Live" => "Tempo di vita della cache", "in seconds. A change empties the cache." => "in secondi. Il cambio svuota la cache.", "Directory Settings" => "Impostazioni delle cartelle", diff --git a/apps/user_webdavauth/l10n/nb_NO.php b/apps/user_webdavauth/l10n/nb_NO.php index 245a5101341..e7ee8ae56be 100644 --- a/apps/user_webdavauth/l10n/nb_NO.php +++ b/apps/user_webdavauth/l10n/nb_NO.php @@ -1,3 +1,5 @@ - "URL: http://" + "Adresse:" ); +$PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/eu.php b/core/l10n/eu.php index 280c5a94b60..83b8fca1eab 100644 --- a/core/l10n/eu.php +++ b/core/l10n/eu.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "Abendua", "Settings" => "Ezarpenak", "seconds ago" => "segundu", -"_%n minute ago_::_%n minutes ago_" => array("",""), -"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n minute ago_::_%n minutes ago_" => array("orain dela minutu %n","orain dela %n minutu"), +"_%n hour ago_::_%n hours ago_" => array("orain dela ordu %n","orain dela %n ordu"), "today" => "gaur", "yesterday" => "atzo", -"_%n day ago_::_%n days ago_" => array("",""), +"_%n day ago_::_%n days ago_" => array("orain dela egun %n","orain dela %n egun"), "last month" => "joan den hilabetean", -"_%n month ago_::_%n months ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("orain dela hilabete %n","orain dela %n hilabete"), "months ago" => "hilabete", "last year" => "joan den urtean", "years ago" => "urte", @@ -83,6 +83,7 @@ $TRANSLATIONS = array( "Email sent" => "Eposta bidalia", "The update was unsuccessful. Please report this issue to the ownCloud community." => "Eguneraketa ez da ongi egin. Mesedez egin arazoaren txosten bat ownCloud komunitatearentzako.", "The update was successful. Redirecting you to ownCloud now." => "Eguneraketa ongi egin da. Orain zure ownClouderea berbideratua izango zara.", +"%s password reset" => "%s 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?", @@ -125,6 +126,7 @@ $TRANSLATIONS = array( "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", +"More apps" => "App gehiago", "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!", "Please change your password to secure your account again." => "Mesedez aldatu zure pasahitza zure kontua berriz segurtatzeko.", diff --git a/core/l10n/it.php b/core/l10n/it.php index 7a0af92070d..8c09b4e90fb 100644 --- a/core/l10n/it.php +++ b/core/l10n/it.php @@ -30,13 +30,13 @@ $TRANSLATIONS = array( "December" => "Dicembre", "Settings" => "Impostazioni", "seconds ago" => "secondi fa", -"_%n minute ago_::_%n minutes ago_" => array("",""), -"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n minute ago_::_%n minutes ago_" => array("%n minuto fa","%n minuti fa"), +"_%n hour ago_::_%n hours ago_" => array("%n ora fa","%n ore fa"), "today" => "oggi", "yesterday" => "ieri", -"_%n day ago_::_%n days ago_" => array("",""), +"_%n day ago_::_%n days ago_" => array("%n giorno fa","%n giorni fa"), "last month" => "mese scorso", -"_%n month ago_::_%n months ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("%n mese fa","%n mesi fa"), "months ago" => "mesi fa", "last year" => "anno scorso", "years ago" => "anni fa", @@ -83,6 +83,7 @@ $TRANSLATIONS = array( "Email sent" => "Messaggio inviato", "The update was unsuccessful. Please report this issue to the ownCloud community." => "L'aggiornamento non è riuscito. Segnala il problema alla comunità di ownCloud.", "The update was successful. Redirecting you to ownCloud now." => "L'aggiornamento è stato effettuato correttamente. Stai per essere reindirizzato a ownCloud.", +"%s password reset" => "Ripristino password di %s", "Use the following link to reset your password: {link}" => "Usa il collegamento seguente per ripristinare la password: {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 ." => "Il collegamento per ripristinare la password è stato inviato al tuo indirizzo di posta.
    Se non lo ricevi in tempi ragionevoli, controlla le cartelle della posta indesiderata.
    Se non dovesse essere nemmeno lì, contatta il tuo amministratore locale.", "Request failed!
    Did you make sure your email/username was right?" => "Richiesta non riuscita!
    Sei sicuro che l'indirizzo di posta/nome utente fosse corretto?", @@ -125,6 +126,7 @@ $TRANSLATIONS = array( "Finish setup" => "Termina la configurazione", "%s is available. Get more information on how to update." => "%s è disponibile. Ottieni ulteriori informazioni sull'aggiornamento.", "Log out" => "Esci", +"More apps" => "Altre applicazioni", "Automatic logon rejected!" => "Accesso automatico rifiutato.", "If you did not change your password recently, your account may be compromised!" => "Se non hai cambiato la password recentemente, il tuo account potrebbe essere compromesso.", "Please change your password to secure your account again." => "Cambia la password per rendere nuovamente sicuro il tuo account.", diff --git a/l10n/af_ZA/lib.po b/l10n/af_ZA/lib.po index ab198f78cac..7ecb600f305 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: af_ZA\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Hulp" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Persoonlik" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Instellings" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Gebruikers" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Admin" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/af_ZA/settings.po b/l10n/af_ZA/settings.po index 2a6cffc209a..97f1665f351 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "" msgid "Unable to add group" msgstr "" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "" -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -145,27 +153,27 @@ msgstr "" msgid "Groups" msgstr "" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" @@ -369,10 +377,6 @@ msgstr "" msgid "-licensed by " msgstr "" -#: templates/apps.php:43 -msgid "Update" -msgstr "" - #: templates/help.php:4 msgid "User Documentation" msgstr "" diff --git a/l10n/ar/lib.po b/l10n/ar/lib.po index 2e0845e8125..849305d0f32 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: ar\n" "Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "المساعدة" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "شخصي" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "إعدادات" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "المستخدمين" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "المدير" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "التطبيق غير مفعّل" diff --git a/l10n/ar/settings.po b/l10n/ar/settings.po index b0dc71747b1..a3d217bb4e9 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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "المجموعة موجودة مسبقاً" msgid "Unable to add group" msgstr "فشل إضافة المجموعة" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "فشل عملية تفعيل التطبيق" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "تم حفظ البريد الإلكتروني" @@ -92,31 +88,43 @@ msgstr "تعذر تحديث التطبيق." msgid "Update to {appversion}" msgstr "تم التحديث الى " -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "إيقاف" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "تفعيل" -#: js/apps.js:60 +#: js/apps.js:63 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:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "جاري التحديث ..." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "حصل خطأ أثناء تحديث التطبيق" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "خطأ" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "حدث" + +#: js/apps.js:122 msgid "Updated" msgstr "تم التحديث بنجاح" @@ -369,10 +377,6 @@ msgstr "راجع صفحة التطبيق على apps.owncloud.com" msgid "-licensed by " msgstr "-ترخيص من قبل " -#: templates/apps.php:43 -msgid "Update" -msgstr "حدث" - #: templates/help.php:4 msgid "User Documentation" msgstr "كتاب توثيق المستخدم" diff --git a/l10n/be/lib.po b/l10n/be/lib.po index 62d99ec8df1..965d701fc2e 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: be\n" "Plural-Forms: nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/be/settings.po b/l10n/be/settings.po index 1f1fe472263..8bb3a339cac 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "" msgid "Unable to add group" msgstr "" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "" -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -145,27 +153,27 @@ msgstr "" msgid "Groups" msgstr "" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" @@ -369,10 +377,6 @@ msgstr "" msgid "-licensed by " msgstr "" -#: templates/apps.php:43 -msgid "Update" -msgstr "" - #: templates/help.php:4 msgid "User Documentation" msgstr "" diff --git a/l10n/bg_BG/lib.po b/l10n/bg_BG/lib.po index 2d4ada2a9b9..234bc905f5a 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -18,27 +18,38 @@ msgstr "" "Language: bg_BG\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Помощ" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Лични" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Настройки" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Потребители" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Админ" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -74,6 +85,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "Приложението не е включено." diff --git a/l10n/bg_BG/settings.po b/l10n/bg_BG/settings.po index 204560a4b91..c26480360dc 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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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,10 +42,6 @@ msgstr "Групата вече съществува" msgid "Unable to add group" msgstr "Невъзможно добавяне на група" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "Email адреса е записан" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "Обновяване до {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Изключено" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Включено" -#: js/apps.js:60 +#: js/apps.js:63 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:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" + +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:115 msgid "Updating...." msgstr "Обновява се..." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Грешка" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Обновяване" + +#: js/apps.js:122 msgid "Updated" msgstr "Обновено" @@ -369,10 +377,6 @@ msgstr "" msgid "-licensed by " msgstr "" -#: templates/apps.php:43 -msgid "Update" -msgstr "Обновяване" - #: templates/help.php:4 msgid "User Documentation" msgstr "Потребителска документация" diff --git a/l10n/bn_BD/lib.po b/l10n/bn_BD/lib.po index 367e8955b06..358cea2fd49 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: bn_BD\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "সহায়িকা" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "ব্যক্তিগত" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "নিয়ামকসমূহ" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "ব্যবহারকারী" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "প্রশাসন" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "অ্যাপ্লিকেসনটি সক্রিয় নয়" diff --git a/l10n/bn_BD/settings.po b/l10n/bn_BD/settings.po index a03ae46160f..1f3fa4e093e 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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "গোষ্ঠীটি পূর্ব থেকেই বিদ্য msgid "Unable to add group" msgstr "গোষ্ঠী যোগ করা সম্ভব হলো না" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "অ্যপটি সক্রিয় করতে সক্ষম নয়।" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "ই-মেইল সংরক্ষন করা হয়েছে" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "নিষ্ক্রিয়" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "সক্রিয় " -#: js/apps.js:60 +#: js/apps.js:63 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:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "সমস্যা" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "পরিবর্ধন" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -369,10 +377,6 @@ msgstr "apps.owncloud.com এ অ্যাপ্লিকেসন পৃষ্ msgid "-licensed by " msgstr "-লাইসেন্সধারী " -#: templates/apps.php:43 -msgid "Update" -msgstr "পরিবর্ধন" - #: templates/help.php:4 msgid "User Documentation" msgstr "ব্যবহারকারী সহায়িকা" diff --git a/l10n/bs/lib.po b/l10n/bs/lib.po index 7c773af3f93..88246efdb6b 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: bs\n" "Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/bs/settings.po b/l10n/bs/settings.po index 62b49ca53d4..47c09790f2e 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "" msgid "Unable to add group" msgstr "" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "" -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -145,27 +153,27 @@ msgstr "" msgid "Groups" msgstr "" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" @@ -369,10 +377,6 @@ msgstr "" msgid "-licensed by " msgstr "" -#: templates/apps.php:43 -msgid "Update" -msgstr "" - #: templates/help.php:4 msgid "User Documentation" msgstr "" diff --git a/l10n/ca/lib.po b/l10n/ca/lib.po index b2bb669e052..e24f7b3eafa 100644 --- a/l10n/ca/lib.po +++ b/l10n/ca/lib.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-08-22 10:36-0400\n" -"PO-Revision-Date: 2013-08-21 15:50+0000\n" -"Last-Translator: rogerc\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -18,27 +18,38 @@ msgstr "" "Language: ca\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Ajuda" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Personal" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Configuració" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Usuaris" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Administració" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "Ha fallat l'actualització \"%s\"." @@ -74,6 +85,62 @@ msgid "" "administrator." msgstr "Baixeu els fitxers en trossos petits, de forma separada, o pregunteu a l'administrador." +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "L'aplicació no està habilitada" diff --git a/l10n/ca/settings.po b/l10n/ca/settings.po index c80ac76c2dd..1ecfd6e7b8b 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-08-22 10:36-0400\n" -"PO-Revision-Date: 2013-08-21 15:40+0000\n" -"Last-Translator: rogerc\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -44,10 +44,6 @@ msgstr "El grup ja existeix" msgid "Unable to add group" msgstr "No es pot afegir el grup" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "No s'ha pogut activar l'apliació" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "S'ha desat el correu electrònic" @@ -94,31 +90,43 @@ msgstr "No s'ha pogut actualitzar l'aplicació." msgid "Update to {appversion}" msgstr "Actualitza a {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Desactiva" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Habilita" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "Espereu..." -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Error" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Actualitzant..." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Error en actualitzar l'aplicació" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Error" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Actualitza" + +#: js/apps.js:122 msgid "Updated" msgstr "Actualitzada" @@ -371,10 +379,6 @@ msgstr "Mireu la pàgina d'aplicacions a apps.owncloud.com" msgid "-licensed by " msgstr "-propietat de " -#: templates/apps.php:43 -msgid "Update" -msgstr "Actualitza" - #: templates/help.php:4 msgid "User Documentation" msgstr "Documentació d'usuari" diff --git a/l10n/cs_CZ/lib.po b/l10n/cs_CZ/lib.po index 8c710f73a51..d64ce09fe35 100644 --- a/l10n/cs_CZ/lib.po +++ b/l10n/cs_CZ/lib.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -20,27 +20,38 @@ msgstr "" "Language: cs_CZ\n" "Plural-Forms: nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Nápověda" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Osobní" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Nastavení" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Uživatelé" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Administrace" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "Selhala aktualizace verze \"%s\"." @@ -76,6 +87,62 @@ msgid "" "administrator." msgstr "Stáhněte soubory po menších částech, samostatně, nebo se obraťte na správce." +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "Aplikace není povolena" diff --git a/l10n/cs_CZ/settings.po b/l10n/cs_CZ/settings.po index a514ea68075..9cb3b6446f8 100644 --- a/l10n/cs_CZ/settings.po +++ b/l10n/cs_CZ/settings.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-08-22 10:36-0400\n" -"PO-Revision-Date: 2013-08-22 14:00+0000\n" -"Last-Translator: cvanca \n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -46,10 +46,6 @@ msgstr "Skupina již existuje" msgid "Unable to add group" msgstr "Nelze přidat skupinu" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Nelze povolit aplikaci." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "E-mail uložen" @@ -96,31 +92,43 @@ msgstr "Nelze aktualizovat aplikaci." msgid "Update to {appversion}" msgstr "Aktualizovat na {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Zakázat" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Povolit" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "Čekejte prosím..." -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Chyba" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Aktualizuji..." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Chyba při aktualizaci aplikace" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Chyba" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Aktualizovat" + +#: js/apps.js:122 msgid "Updated" msgstr "Aktualizováno" @@ -373,10 +381,6 @@ msgstr "Více na stránce s aplikacemi na apps.owncloud.com" msgid "-licensed by " msgstr "-licencováno " -#: templates/apps.php:43 -msgid "Update" -msgstr "Aktualizovat" - #: templates/help.php:4 msgid "User Documentation" msgstr "Uživatelská dokumentace" diff --git a/l10n/cy_GB/lib.po b/l10n/cy_GB/lib.po index e0aa60f01d3..0ccf3847737 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: cy_GB\n" "Plural-Forms: nplurals=4; plural=(n==1) ? 0 : (n==2) ? 1 : (n != 8 && n != 11) ? 2 : 3;\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Cymorth" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Personol" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Gosodiadau" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Defnyddwyr" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Gweinyddu" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "Nid yw'r pecyn wedi'i alluogi" diff --git a/l10n/cy_GB/settings.po b/l10n/cy_GB/settings.po index ed67da103cf..e74e9a473f8 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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "" msgid "Unable to add group" msgstr "" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "" -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Gwall" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" + +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Gwall" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -369,10 +377,6 @@ msgstr "" msgid "-licensed by " msgstr "" -#: templates/apps.php:43 -msgid "Update" -msgstr "" - #: templates/help.php:4 msgid "User Documentation" msgstr "" diff --git a/l10n/da/files.po b/l10n/da/files.po index e043bee154c..afba58f1333 100644 --- a/l10n/da/files.po +++ b/l10n/da/files.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-08-21 08:10-0400\n" -"PO-Revision-Date: 2013-08-20 19:40+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-24 14:30+0000\n" "Last-Translator: Sappe\n" "Language-Team: Danish (http://www.transifex.com/projects/p/owncloud/language/da/)\n" "MIME-Version: 1.0\n" @@ -254,7 +254,7 @@ msgstr "Nødvendigt for at kunne downloade mapper og flere filer ad gangen." #: templates/admin.php:17 msgid "Enable ZIP-download" -msgstr "Muliggør ZIP-download" +msgstr "Tillad ZIP-download" #: templates/admin.php:20 msgid "0 is unlimited" diff --git a/l10n/da/lib.po b/l10n/da/lib.po index 95d0d373d80..7873b58ef50 100644 --- a/l10n/da/lib.po +++ b/l10n/da/lib.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -20,27 +20,38 @@ msgstr "" "Language: da\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Hjælp" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Personligt" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Indstillinger" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Brugere" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Admin" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "Upgradering af \"%s\" fejlede" @@ -76,6 +87,62 @@ msgid "" "administrator." msgstr "Download filerne i små bider, seperat, eller kontakt venligst din administrator." +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "Programmet er ikke aktiveret" diff --git a/l10n/da/settings.po b/l10n/da/settings.po index b43c939dde1..f3bdc23e486 100644 --- a/l10n/da/settings.po +++ b/l10n/da/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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-20 19:40+0000\n" -"Last-Translator: Sappe\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -45,10 +45,6 @@ msgstr "Gruppen findes allerede" msgid "Unable to add group" msgstr "Gruppen kan ikke oprettes" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Applikationen kunne ikke aktiveres." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "Email adresse gemt" @@ -95,31 +91,43 @@ msgstr "Kunne ikke opdatere app'en." msgid "Update to {appversion}" msgstr "Opdatér til {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Deaktiver" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Aktiver" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "Vent venligst..." -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Fejl" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Opdaterer...." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Der opstod en fejl under app opgraderingen" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Fejl" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Opdater" + +#: js/apps.js:122 msgid "Updated" msgstr "Opdateret" @@ -372,10 +380,6 @@ msgstr "Se applikationens side på apps.owncloud.com" msgid "-licensed by " msgstr "-licenseret af " -#: templates/apps.php:43 -msgid "Update" -msgstr "Opdater" - #: templates/help.php:4 msgid "User Documentation" msgstr "Brugerdokumentation" diff --git a/l10n/de/lib.po b/l10n/de/lib.po index e1661944825..30a80e83f7a 100644 --- a/l10n/de/lib.po +++ b/l10n/de/lib.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+0000\n" "Last-Translator: I Robot \n" "Language-Team: German \n" "MIME-Version: 1.0\n" @@ -20,27 +20,38 @@ msgstr "" "Language: de\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Hilfe" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Persönlich" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Einstellungen" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Benutzer" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Administration" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "Konnte \"%s\" nicht aktualisieren." @@ -76,6 +87,62 @@ msgid "" "administrator." msgstr "Lade die Dateien in kleineren, separaten, Stücken herunter oder bitte deinen Administrator." +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "Die Anwendung ist nicht aktiviert" diff --git a/l10n/de/settings.po b/l10n/de/settings.po index 2398da2d95f..dbf98f0bf85 100644 --- a/l10n/de/settings.po +++ b/l10n/de/settings.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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-20 12:50+0000\n" -"Last-Translator: Mario Siegmann \n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+0000\n" +"Last-Translator: I Robot \n" "Language-Team: German \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -47,10 +47,6 @@ msgstr "Gruppe existiert bereits" msgid "Unable to add group" msgstr "Gruppe konnte nicht angelegt werden" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "App konnte nicht aktiviert werden." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "E-Mail Adresse gespeichert" @@ -97,31 +93,43 @@ msgstr "Die App konnte nicht aktualisiert werden." msgid "Update to {appversion}" msgstr "Aktualisiere zu {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Deaktivieren" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Aktivieren" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "Bitte warten..." -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Fehler" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Aktualisierung..." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Fehler beim Aktualisieren der App" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Fehler" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Aktualisierung durchführen" + +#: js/apps.js:122 msgid "Updated" msgstr "Aktualisiert" @@ -374,10 +382,6 @@ msgstr "Weitere Anwendungen findest Du auf apps.owncloud.com" msgid "-licensed by " msgstr "-lizenziert von " -#: templates/apps.php:43 -msgid "Update" -msgstr "Aktualisierung durchführen" - #: templates/help.php:4 msgid "User Documentation" msgstr "Dokumentation für Benutzer" diff --git a/l10n/de_AT/lib.po b/l10n/de_AT/lib.po index f4911a0682a..7666303833e 100644 --- a/l10n/de_AT/lib.po +++ b/l10n/de_AT/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Austria) (http://www.transifex.com/projects/p/owncloud/language/de_AT/)\n" "MIME-Version: 1.0\n" @@ -17,27 +17,38 @@ msgstr "" "Language: de_AT\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/de_AT/settings.po b/l10n/de_AT/settings.po index d21b2d2b2b1..11e3ea1c60b 100644 --- a/l10n/de_AT/settings.po +++ b/l10n/de_AT/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Austria) (http://www.transifex.com/projects/p/owncloud/language/de_AT/)\n" "MIME-Version: 1.0\n" @@ -42,10 +42,6 @@ msgstr "" msgid "Unable to add group" msgstr "" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "" -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -145,27 +153,27 @@ msgstr "" msgid "Groups" msgstr "" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" @@ -369,10 +377,6 @@ msgstr "" msgid "-licensed by " msgstr "" -#: templates/apps.php:43 -msgid "Update" -msgstr "" - #: templates/help.php:4 msgid "User Documentation" msgstr "" diff --git a/l10n/de_CH/lib.po b/l10n/de_CH/lib.po index f196e68f997..a63c16f5608 100644 --- a/l10n/de_CH/lib.po +++ b/l10n/de_CH/lib.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Switzerland) (http://www.transifex.com/projects/p/owncloud/language/de_CH/)\n" "MIME-Version: 1.0\n" @@ -20,27 +20,38 @@ msgstr "" "Language: de_CH\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Hilfe" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Persönlich" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Einstellungen" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Benutzer" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Administrator" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "Konnte \"%s\" nicht aktualisieren." @@ -76,6 +87,62 @@ msgid "" "administrator." msgstr "Laden Sie die Dateien in kleineren, separaten, Stücken herunter oder bitten Sie Ihren Administrator." +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "Die Anwendung ist nicht aktiviert" diff --git a/l10n/de_CH/settings.po b/l10n/de_CH/settings.po index 6193f9b28eb..c558e0cd905 100644 --- a/l10n/de_CH/settings.po +++ b/l10n/de_CH/settings.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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Switzerland) (http://www.transifex.com/projects/p/owncloud/language/de_CH/)\n" "MIME-Version: 1.0\n" @@ -49,10 +49,6 @@ msgstr "Die Gruppe existiert bereits" msgid "Unable to add group" msgstr "Die Gruppe konnte nicht angelegt werden" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Die Anwendung konnte nicht aktiviert werden." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "E-Mail-Adresse gespeichert" @@ -99,31 +95,43 @@ msgstr "Die App konnte nicht aktualisiert werden." msgid "Update to {appversion}" msgstr "Update zu {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Deaktivieren" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Aktivieren" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "Bitte warten...." -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Fehler" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Update..." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Es ist ein Fehler während des Updates aufgetreten" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Fehler" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Update durchführen" + +#: js/apps.js:122 msgid "Updated" msgstr "Aktualisiert" @@ -376,10 +384,6 @@ msgstr "Weitere Anwendungen finden Sie auf apps.owncloud.com" msgid "-licensed by " msgstr "-lizenziert von " -#: templates/apps.php:43 -msgid "Update" -msgstr "Update durchführen" - #: templates/help.php:4 msgid "User Documentation" msgstr "Dokumentation für Benutzer" diff --git a/l10n/de_DE/lib.po b/l10n/de_DE/lib.po index ff98de66e2b..adb12291feb 100644 --- a/l10n/de_DE/lib.po +++ b/l10n/de_DE/lib.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" @@ -20,27 +20,38 @@ msgstr "" "Language: de_DE\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Hilfe" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Persönlich" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Einstellungen" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Benutzer" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Administrator" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "Konnte \"%s\" nicht aktualisieren." @@ -76,6 +87,62 @@ msgid "" "administrator." msgstr "Laden Sie die Dateien in kleineren, separaten, Stücken herunter oder bitten Sie Ihren Administrator." +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "Die Anwendung ist nicht aktiviert" diff --git a/l10n/de_DE/settings.po b/l10n/de_DE/settings.po index 92428b183d7..d5bf5ec301a 100644 --- a/l10n/de_DE/settings.po +++ b/l10n/de_DE/settings.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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-20 12:50+0000\n" -"Last-Translator: Mario Siegmann \n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+0000\n" +"Last-Translator: I Robot \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -48,10 +48,6 @@ msgstr "Die Gruppe existiert bereits" msgid "Unable to add group" msgstr "Die Gruppe konnte nicht angelegt werden" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Die Anwendung konnte nicht aktiviert werden." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "E-Mail-Adresse gespeichert" @@ -98,31 +94,43 @@ msgstr "Die App konnte nicht aktualisiert werden." msgid "Update to {appversion}" msgstr "Update zu {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Deaktivieren" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Aktivieren" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "Bitte warten...." -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Fehler" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Update..." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Es ist ein Fehler während des Updates aufgetreten" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Fehler" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Update durchführen" + +#: js/apps.js:122 msgid "Updated" msgstr "Aktualisiert" @@ -375,10 +383,6 @@ msgstr "Weitere Anwendungen finden Sie auf apps.owncloud.com" msgid "-licensed by " msgstr "-lizenziert von " -#: templates/apps.php:43 -msgid "Update" -msgstr "Update durchführen" - #: templates/help.php:4 msgid "User Documentation" msgstr "Dokumentation für Benutzer" diff --git a/l10n/el/lib.po b/l10n/el/lib.po index 3fbac4a7421..5ef86707792 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -18,27 +18,38 @@ msgstr "" "Language: el\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Βοήθεια" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Προσωπικά" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Ρυθμίσεις" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Χρήστες" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Διαχειριστής" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "Αποτυχία αναβάθμισης του \"%s\"." @@ -74,6 +85,62 @@ msgid "" "administrator." msgstr "Λήψη των αρχείων σε μικρότερα κομμάτια, χωριστά ή ρωτήστε τον διαχειριστή σας." +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "Δεν ενεργοποιήθηκε η εφαρμογή" diff --git a/l10n/el/settings.po b/l10n/el/settings.po index 518615afaaa..c8580902be2 100644 --- a/l10n/el/settings.po +++ b/l10n/el/settings.po @@ -13,8 +13,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -48,10 +48,6 @@ msgstr "Η ομάδα υπάρχει ήδη" msgid "Unable to add group" msgstr "Αδυναμία προσθήκης ομάδας" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Αδυναμία ενεργοποίησης εφαρμογής " - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "Το email αποθηκεύτηκε " @@ -98,31 +94,43 @@ msgstr "Αδυναμία ενημέρωσης εφαρμογής" msgid "Update to {appversion}" msgstr "Ενημέρωση σε {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Απενεργοποίηση" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Ενεργοποίηση" -#: js/apps.js:60 +#: js/apps.js:63 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:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Ενημέρωση..." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Σφάλμα κατά την ενημέρωση της εφαρμογής" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Σφάλμα" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Ενημέρωση" + +#: js/apps.js:122 msgid "Updated" msgstr "Ενημερώθηκε" @@ -375,10 +383,6 @@ msgstr "Δείτε την σελίδα εφαρμογών στο apps.owncloud.c msgid "-licensed by " msgstr "-άδεια από " -#: templates/apps.php:43 -msgid "Update" -msgstr "Ενημέρωση" - #: templates/help.php:4 msgid "User Documentation" msgstr "Τεκμηρίωση Χρήστη" diff --git a/l10n/en@pirate/lib.po b/l10n/en@pirate/lib.po index bd3831f2741..6cc0184b836 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: en@pirate\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/en@pirate/settings.po b/l10n/en@pirate/settings.po index 9c6e9df5d64..95bb346d1a1 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "" msgid "Unable to add group" msgstr "" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "" -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -145,27 +153,27 @@ msgstr "" msgid "Groups" msgstr "" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" @@ -369,10 +377,6 @@ msgstr "" msgid "-licensed by " msgstr "" -#: templates/apps.php:43 -msgid "Update" -msgstr "" - #: templates/help.php:4 msgid "User Documentation" msgstr "" diff --git a/l10n/eo/lib.po b/l10n/eo/lib.po index 45f14563ca1..4f336569e99 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -18,27 +18,38 @@ msgstr "" "Language: eo\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Helpo" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Persona" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Agordo" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Uzantoj" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Administranto" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -74,6 +85,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "La aplikaĵo ne estas kapabligita" diff --git a/l10n/eo/settings.po b/l10n/eo/settings.po index 48f4bb536a9..e45c1e0d27b 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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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,10 +42,6 @@ msgstr "La grupo jam ekzistas" msgid "Unable to add group" msgstr "Ne eblis aldoni la grupon" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Ne eblis kapabligi la aplikaĵon." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "La retpoŝtadreso konserviĝis" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Malkapabligi" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Kapabligi" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "" -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Eraro" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Eraro" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Ĝisdatigi" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -369,10 +377,6 @@ msgstr "Vidu la paĝon pri aplikaĵoj ĉe apps.owncloud.com" msgid "-licensed by " msgstr "-permesilhavigita de " -#: templates/apps.php:43 -msgid "Update" -msgstr "Ĝisdatigi" - #: templates/help.php:4 msgid "User Documentation" msgstr "Dokumentaro por uzantoj" diff --git a/l10n/es/lib.po b/l10n/es/lib.po index f66d906b20d..45ab92b80c1 100644 --- a/l10n/es/lib.po +++ b/l10n/es/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -19,27 +19,38 @@ msgstr "" "Language: es\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Ayuda" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Personal" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Ajustes" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Usuarios" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Administración" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "Falló la actualización \"%s\"." @@ -75,6 +86,62 @@ msgid "" "administrator." msgstr "Descargue los archivos en trozos más pequeños, por separado o solicítelos amablemente su administrador." +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "La aplicación no está habilitada" diff --git a/l10n/es/settings.po b/l10n/es/settings.po index 6d6a4b41869..0b089613137 100644 --- a/l10n/es/settings.po +++ b/l10n/es/settings.po @@ -4,6 +4,7 @@ # # Translators: # Art O. Pal , 2013 +# eadeprado , 2013 # ggam , 2013 # pablomillaquen , 2013 # qdneren , 2013 @@ -13,8 +14,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -38,7 +39,7 @@ msgstr "Su nombre fue cambiado." #: ajax/changedisplayname.php:34 msgid "Unable to change display name" -msgstr "No se pudo cambiar el nombre" +msgstr "No se pudo cambiar el nombre de usuario" #: ajax/creategroup.php:10 msgid "Group already exists" @@ -48,10 +49,6 @@ msgstr "El grupo ya existe" msgid "Unable to add group" msgstr "No se pudo añadir el grupo" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "No puedo habilitar la aplicación." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "E-mail guardado" @@ -98,31 +95,43 @@ msgstr "No se pudo actualizar la aplicacion." msgid "Update to {appversion}" msgstr "Actualizado a {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Desactivar" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Activar" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "Espere, por favor...." -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Error" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Actualizando...." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Error mientras se actualizaba la aplicación" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Error" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Actualizar" + +#: js/apps.js:122 msgid "Updated" msgstr "Actualizado" @@ -136,7 +145,7 @@ msgstr "Guardando..." #: js/users.js:47 msgid "deleted" -msgstr "borrado" +msgstr "Eliminado" #: js/users.js:47 msgid "undo" @@ -153,7 +162,7 @@ msgstr "Grupos" #: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" -msgstr "Grupo administrador" +msgstr "Administrador del Grupo" #: js/users.js:120 templates/users.php:164 msgid "Delete" @@ -165,7 +174,7 @@ msgstr "añadir Grupo" #: js/users.js:436 msgid "A valid username must be provided" -msgstr "Se debe usar un nombre de usuario válido" +msgstr "Se debe proporcionar un nombre de usuario válido" #: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" @@ -173,7 +182,7 @@ msgstr "Error al crear usuario" #: js/users.js:442 msgid "A valid password must be provided" -msgstr "Se debe usar una contraseña valida" +msgstr "Se debe proporcionar una contraseña valida" #: personal.php:40 personal.php:41 msgid "__language_name__" @@ -200,7 +209,7 @@ msgstr "Advertencia de configuración" 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." +msgstr "Su servidor web aún no está configurado adecuadamente para permitir la sincronización de archivos ya que la interfaz WebDAV parece no estar funcionando." #: templates/admin.php:33 #, php-format @@ -209,7 +218,7 @@ msgstr "Por favor, vuelva a comprobar las guías de instalación-licensed by " msgstr "-licenciado por " -#: templates/apps.php:43 -msgid "Update" -msgstr "Actualizar" - #: templates/help.php:4 msgid "User Documentation" msgstr "Documentación de usuario" diff --git a/l10n/es_AR/lib.po b/l10n/es_AR/lib.po index b557cf5ae76..1ae0a4d355b 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -18,27 +18,38 @@ msgstr "" "Language: es_AR\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Ayuda" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Personal" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Configuración" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Usuarios" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Administración" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "No se pudo actualizar \"%s\"." @@ -74,6 +85,62 @@ msgid "" "administrator." msgstr "Descargá los archivos en partes más chicas, de forma separada, o pedíselos al administrador" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "La aplicación no está habilitada" diff --git a/l10n/es_AR/settings.po b/l10n/es_AR/settings.po index 9eaa7d4e7ea..94c0ce3af87 100644 --- a/l10n/es_AR/settings.po +++ b/l10n/es_AR/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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -44,10 +44,6 @@ msgstr "El grupo ya existe" msgid "Unable to add group" msgstr "No fue posible añadir el grupo" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "No se pudo habilitar la App." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "e-mail guardado" @@ -94,31 +90,43 @@ msgstr "No se pudo actualizar la App." msgid "Update to {appversion}" msgstr "Actualizar a {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Desactivar" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Activar" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "Por favor, esperá...." -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Error" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Actualizando...." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Error al actualizar App" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Error" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Actualizar" + +#: js/apps.js:122 msgid "Updated" msgstr "Actualizado" @@ -371,10 +379,6 @@ msgstr "Mirá la web de aplicaciones apps.owncloud.com" msgid "-licensed by " msgstr "-licenciado por " -#: templates/apps.php:43 -msgid "Update" -msgstr "Actualizar" - #: templates/help.php:4 msgid "User Documentation" msgstr "Documentación de Usuario" diff --git a/l10n/et_EE/lib.po b/l10n/et_EE/lib.po index 23ab2c23ea6..82c3b23be83 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-08-22 10:36-0400\n" -"PO-Revision-Date: 2013-08-22 09:40+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -19,27 +19,38 @@ msgstr "" "Language: et_EE\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Abiinfo" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Isiklik" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Seaded" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Kasutajad" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Admin" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "Ebaõnnestunud uuendus \"%s\"." @@ -75,6 +86,62 @@ msgid "" "administrator." msgstr "Laadi failid alla eraldi väiksemate osadena või küsi nõu oma süsteemiadminstraatorilt." +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "Rakendus pole sisse lülitatud" diff --git a/l10n/et_EE/settings.po b/l10n/et_EE/settings.po index f2560807175..7f6d850ad8f 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-08-22 10:36-0400\n" -"PO-Revision-Date: 2013-08-22 09:30+0000\n" -"Last-Translator: pisike.sipelgas \n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -44,10 +44,6 @@ msgstr "Grupp on juba olemas" msgid "Unable to add group" msgstr "Keela grupi lisamine" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Rakenduse sisselülitamine ebaõnnestus." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "Kiri on salvestatud" @@ -94,31 +90,43 @@ msgstr "Rakenduse uuendamine ebaõnnestus." msgid "Update to {appversion}" msgstr "Uuenda versioonile {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Lülita välja" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Lülita sisse" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "Palun oota..." -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Viga" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Uuendamine..." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Viga rakenduse uuendamisel" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Viga" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Uuenda" + +#: js/apps.js:122 msgid "Updated" msgstr "Uuendatud" @@ -371,10 +379,6 @@ msgstr "Vaata rakenduste lehte aadressil apps.owncloud.com" msgid "-licensed by " msgstr "-litsenseeritud " -#: templates/apps.php:43 -msgid "Update" -msgstr "Uuenda" - #: templates/help.php:4 msgid "User Documentation" msgstr "Kasutaja dokumentatsioon" diff --git a/l10n/eu/core.po b/l10n/eu/core.po index ffc6f231bfc..88be117b557 100644 --- a/l10n/eu/core.po +++ b/l10n/eu/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:00+0000\n" +"Last-Translator: asieriko \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" @@ -150,14 +150,14 @@ msgstr "segundu" #: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "orain dela minutu %n" +msgstr[1] "orain dela %n minutu" #: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "orain dela ordu %n" +msgstr[1] "orain dela %n ordu" #: js/js.js:815 msgid "today" @@ -170,8 +170,8 @@ msgstr "atzo" #: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "orain dela egun %n" +msgstr[1] "orain dela %n egun" #: js/js.js:818 msgid "last month" @@ -180,8 +180,8 @@ msgstr "joan den hilabetean" #: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "orain dela hilabete %n" +msgstr[1] "orain dela %n hilabete" #: js/js.js:820 msgid "months ago" @@ -195,23 +195,23 @@ msgstr "joan den urtean" msgid "years ago" msgstr "urte" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Aukeratu" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "Errorea fitxategi hautatzaile txantiloiak kargatzerakoan" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Bai" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "Ez" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Ados" @@ -378,7 +378,7 @@ msgstr "Eguneraketa ongi egin da. Orain zure ownClouderea berbideratua izango za #: lostpassword/controller.php:61 #, php-format msgid "%s password reset" -msgstr "" +msgstr "%s pasahitza berrezarri" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" @@ -579,7 +579,7 @@ msgstr "Saioa bukatu" #: templates/layout.user.php:100 msgid "More apps" -msgstr "" +msgstr "App gehiago" #: templates/login.php:9 msgid "Automatic logon rejected!" diff --git a/l10n/eu/files.po b/l10n/eu/files.po index ac39bb91058..9240871e8cb 100644 --- a/l10n/eu/files.po +++ b/l10n/eu/files.po @@ -3,14 +3,15 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# asieriko , 2013 # Piarres Beobide , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:10+0000\n" +"Last-Translator: asieriko \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" @@ -100,15 +101,15 @@ msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Fitxategien igoera martxan da. Orria orain uzteak igoera ezeztatutko du." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:234 js/files.js:353 msgid "URL cannot be empty." msgstr "URLa ezin da hutsik egon." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:239 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Karpeta izne baliogabea. \"Shared\" karpeta erabilpena OwnCloudentzat erreserbaturik dago." -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 #: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Errorea" @@ -156,8 +157,8 @@ msgstr "desegin" #: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Fitxategi %n igotzen" +msgstr[1] "%n fitxategi igotzen" #: js/filelist.js:518 msgid "files uploading" @@ -189,7 +190,7 @@ msgstr "Zure biltegiratzea nahiko beterik dago (%{usedSpacePercent})" msgid "" "Encryption was disabled but your files are still encrypted. Please go to " "your personal settings to decrypt your files." -msgstr "" +msgstr "Enkriptazioa desgaitua izan da baina zure fitxategiak oraindik enkriptatuta daude. Mesedez jo zure ezarpen pertsonaletara zure fitxategiak dekodifikatzeko." #: js/files.js:245 msgid "" @@ -216,14 +217,14 @@ msgstr "Aldatuta" #: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "karpeta %n" +msgstr[1] "%n karpeta" #: js/files.js:784 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "fitxategi %n" +msgstr[1] "%n fitxategi" #: lib/app.php:73 #, php-format diff --git a/l10n/eu/files_sharing.po b/l10n/eu/files_sharing.po index e633bd97d7a..36bdac1c072 100644 --- a/l10n/eu/files_sharing.po +++ b/l10n/eu/files_sharing.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 18:23+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:10+0000\n" +"Last-Translator: asieriko \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" @@ -32,27 +32,27 @@ msgstr "Bidali" #: templates/part.404.php:3 msgid "Sorry, this link doesn’t seem to work anymore." -msgstr "" +msgstr "Barkatu, lotura ez dirudi eskuragarria dagoenik." #: templates/part.404.php:4 msgid "Reasons might be:" -msgstr "" +msgstr "Arrazoiak hurrengoak litezke:" #: templates/part.404.php:6 msgid "the item was removed" -msgstr "" +msgstr "fitxategia ezbatua izan da" #: templates/part.404.php:7 msgid "the link expired" -msgstr "" +msgstr "lotura iraungi da" #: templates/part.404.php:8 msgid "sharing is disabled" -msgstr "" +msgstr "elkarbanatzea ez dago gaituta" #: templates/part.404.php:10 msgid "For more info, please ask the person who sent this link." -msgstr "" +msgstr "Informazio gehiagorako, mesedez eskatu lotura hau bidali zuen pertsonari" #: templates/public.php:15 #, php-format diff --git a/l10n/eu/files_trashbin.po b/l10n/eu/files_trashbin.po index ee2efd48c1b..bdb27c8c6d9 100644 --- a/l10n/eu/files_trashbin.po +++ b/l10n/eu/files_trashbin.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# asieriko , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:10+0000\n" +"Last-Translator: asieriko \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" @@ -54,18 +55,18 @@ msgstr "Ezabatuta" #: js/trash.js:191 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "karpeta %n" +msgstr[1] "%n karpeta" #: js/trash.js:197 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "fitxategi %n" +msgstr[1] "%n fitxategi" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" -msgstr "" +msgstr "Berrezarrita" #: templates/index.php:9 msgid "Nothing in here. Your trash bin is empty!" diff --git a/l10n/eu/lib.po b/l10n/eu/lib.po index 2aa6a48b61e..cb9bb315d4a 100644 --- a/l10n/eu/lib.po +++ b/l10n/eu/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -19,27 +19,38 @@ msgstr "" "Language: eu\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Laguntza" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Pertsonala" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Ezarpenak" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Erabiltzaileak" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Admin" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "Ezin izan da \"%s\" eguneratu." @@ -75,6 +86,62 @@ msgid "" "administrator." msgstr "Deskargatu fitzategiak zati txikiagoetan, banan-banan edo eskatu mesedez zure administradoreari" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "Aplikazioa ez dago gaituta" @@ -206,14 +273,14 @@ msgstr "segundu" #: template/functions.php:81 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "orain dela minutu %n" +msgstr[1] "orain dela %n minutu" #: template/functions.php:82 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "orain dela ordu %n" +msgstr[1] "orain dela %n ordu" #: template/functions.php:83 msgid "today" @@ -226,8 +293,8 @@ msgstr "atzo" #: template/functions.php:85 msgid "%n day go" msgid_plural "%n days ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "orain dela egun %n" +msgstr[1] "orain dela %n egun" #: template/functions.php:86 msgid "last month" @@ -236,8 +303,8 @@ msgstr "joan den hilabetean" #: template/functions.php:87 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "orain dela hilabete %n" +msgstr[1] "orain dela %n hilabete" #: template/functions.php:88 msgid "last year" diff --git a/l10n/eu/settings.po b/l10n/eu/settings.po index 1d71b7b9554..617d57288fe 100644 --- a/l10n/eu/settings.po +++ b/l10n/eu/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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -44,10 +44,6 @@ msgstr "Taldea dagoeneko existitzenda" msgid "Unable to add group" msgstr "Ezin izan da taldea gehitu" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Ezin izan da aplikazioa gaitu." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "Eposta gorde da" @@ -94,31 +90,43 @@ msgstr "Ezin izan da aplikazioa eguneratu." msgid "Update to {appversion}" msgstr "Eguneratu {appversion}-ra" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Ez-gaitu" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Gaitu" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "Itxoin mesedez..." -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Errorea" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Eguneratzen..." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Errorea aplikazioa eguneratzen zen bitartean" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Errorea" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Eguneratu" + +#: js/apps.js:122 msgid "Updated" msgstr "Eguneratuta" @@ -371,10 +379,6 @@ msgstr "Ikusi programen orria apps.owncloud.com en" msgid "-licensed by " msgstr "-lizentziatua " -#: templates/apps.php:43 -msgid "Update" -msgstr "Eguneratu" - #: templates/help.php:4 msgid "User Documentation" msgstr "Erabiltzaile dokumentazioa" diff --git a/l10n/fa/lib.po b/l10n/fa/lib.po index 94d2683d00d..565794cd0d1 100644 --- a/l10n/fa/lib.po +++ b/l10n/fa/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -18,27 +18,38 @@ msgstr "" "Language: fa\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "راه‌نما" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "شخصی" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "تنظیمات" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "کاربران" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "مدیر" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -74,6 +85,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "برنامه فعال نشده است" diff --git a/l10n/fa/settings.po b/l10n/fa/settings.po index a81077fb92f..015429708da 100644 --- a/l10n/fa/settings.po +++ b/l10n/fa/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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -43,10 +43,6 @@ msgstr "این گروه در حال حاضر موجود است" msgid "Unable to add group" msgstr "افزودن گروه امکان پذیر نیست" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "برنامه را نمی توان فعال ساخت." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "ایمیل ذخیره شد" @@ -93,31 +89,43 @@ msgstr "برنامه را نمی توان به هنگام ساخت." msgid "Update to {appversion}" msgstr "بهنگام شده به {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "غیرفعال" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "فعال" -#: js/apps.js:60 +#: js/apps.js:63 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:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "در حال بروز رسانی..." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "خطا در هنگام بهنگام سازی برنامه" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "خطا" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "به روز رسانی" + +#: js/apps.js:122 msgid "Updated" msgstr "بروز رسانی انجام شد" @@ -370,10 +378,6 @@ msgstr "صفحه این اٌپ را در apps.owncloud.com ببینید" msgid "-licensed by " msgstr "-مجاز از طرف " -#: templates/apps.php:43 -msgid "Update" -msgstr "به روز رسانی" - #: templates/help.php:4 msgid "User Documentation" msgstr "مستندات کاربر" diff --git a/l10n/fi_FI/lib.po b/l10n/fi_FI/lib.po index 9a990b0377b..764424f6b3f 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -18,27 +18,38 @@ msgstr "" "Language: fi_FI\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Ohje" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Henkilökohtainen" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Asetukset" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Käyttäjät" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Ylläpitäjä" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -74,6 +85,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "Sovellusta ei ole otettu käyttöön" diff --git a/l10n/fi_FI/settings.po b/l10n/fi_FI/settings.po index 3bdd091b224..d104af4d886 100644 --- a/l10n/fi_FI/settings.po +++ b/l10n/fi_FI/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-08-22 10:36-0400\n" -"PO-Revision-Date: 2013-08-21 19:00+0000\n" -"Last-Translator: Jiri Grönroos \n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -43,10 +43,6 @@ msgstr "Ryhmä on jo olemassa" msgid "Unable to add group" msgstr "Ryhmän lisäys epäonnistui" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Sovelluksen käyttöönotto epäonnistui." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "Sähköposti tallennettu" @@ -93,31 +89,43 @@ msgstr "Sovelluksen päivitys epäonnistui." msgid "Update to {appversion}" msgstr "Päivitä versioon {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Poista käytöstä" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Käytä" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "Odota hetki..." -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Virhe" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Päivitetään..." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Virhe sovellusta päivittäessä" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Virhe" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Päivitä" + +#: js/apps.js:122 msgid "Updated" msgstr "Päivitetty" @@ -370,10 +378,6 @@ msgstr "Katso sovellussivu osoitteessa apps.owncloud.com" msgid "-licensed by " msgstr "-lisensoija " -#: templates/apps.php:43 -msgid "Update" -msgstr "Päivitä" - #: templates/help.php:4 msgid "User Documentation" msgstr "Käyttäjäohjeistus" diff --git a/l10n/fr/lib.po b/l10n/fr/lib.po index 1c17ec9eeaa..5bd611ff268 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -18,27 +18,38 @@ msgstr "" "Language: fr\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Aide" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Personnel" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Paramètres" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Utilisateurs" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Administration" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -74,6 +85,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "L'application n'est pas activée" diff --git a/l10n/fr/settings.po b/l10n/fr/settings.po index 9b43aabef4d..bd79bb2891d 100644 --- a/l10n/fr/settings.po +++ b/l10n/fr/settings.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -46,10 +46,6 @@ msgstr "Ce groupe existe déjà" msgid "Unable to add group" msgstr "Impossible d'ajouter le groupe" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Impossible d'activer l'Application" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "E-mail sauvegardé" @@ -96,31 +92,43 @@ msgstr "Impossible de mettre à jour l'application" msgid "Update to {appversion}" msgstr "Mettre à jour vers {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Désactiver" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Activer" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "Veuillez patienter…" -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Erreur" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Mise à jour..." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Erreur lors de la mise à jour de l'application" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Erreur" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Mettre à jour" + +#: js/apps.js:122 msgid "Updated" msgstr "Mise à jour effectuée avec succès" @@ -373,10 +381,6 @@ msgstr "Voir la page des applications à l'url apps.owncloud.com" msgid "-licensed by " msgstr "Distribué sous licence , par " -#: templates/apps.php:43 -msgid "Update" -msgstr "Mettre à jour" - #: templates/help.php:4 msgid "User Documentation" msgstr "Documentation utilisateur" diff --git a/l10n/gl/lib.po b/l10n/gl/lib.po index 49881baaafb..08a5c665391 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -18,27 +18,38 @@ msgstr "" "Language: gl\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Axuda" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Persoal" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Axustes" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Usuarios" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Administración" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "Non foi posíbel anovar «%s»." @@ -74,6 +85,62 @@ msgid "" "administrator." msgstr "Descargue os ficheiros en cachos máis pequenos e por separado, ou pídallos amabelmente ao seu administrador." +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "O aplicativo non está activado" diff --git a/l10n/gl/settings.po b/l10n/gl/settings.po index ba4d53c4fac..fda92370b33 100644 --- a/l10n/gl/settings.po +++ b/l10n/gl/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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-20 11:10+0000\n" -"Last-Translator: mbouzada \n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -43,10 +43,6 @@ msgstr "O grupo xa existe" msgid "Unable to add group" msgstr "Non é posíbel engadir o grupo" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Non é posíbel activar o aplicativo." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "Correo gardado" @@ -93,31 +89,43 @@ msgstr "Non foi posíbel actualizar o aplicativo." msgid "Update to {appversion}" msgstr "Actualizar á {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Desactivar" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Activar" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "Agarde..." -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Erro" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Actualizando..." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Produciuse un erro mentres actualizaba o aplicativo" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Erro" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Actualizar" + +#: js/apps.js:122 msgid "Updated" msgstr "Actualizado" @@ -370,10 +378,6 @@ msgstr "Consulte a páxina do aplicativo en apps.owncloud.com" msgid "-licensed by " msgstr "-licenciado por" -#: templates/apps.php:43 -msgid "Update" -msgstr "Actualizar" - #: templates/help.php:4 msgid "User Documentation" msgstr "Documentación do usuario" diff --git a/l10n/he/lib.po b/l10n/he/lib.po index 34b59c0bfc9..d344f07c597 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-08-23 20:16-0400\n" -"PO-Revision-Date: 2013-08-22 15:40+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: he\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "עזרה" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "אישי" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "הגדרות" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "משתמשים" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "מנהל" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "יישומים אינם מופעלים" diff --git a/l10n/he/settings.po b/l10n/he/settings.po index 29198d3642a..767a3252701 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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -43,10 +43,6 @@ msgstr "הקבוצה כבר קיימת" msgid "Unable to add group" msgstr "לא ניתן להוסיף קבוצה" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "לא ניתן להפעיל את היישום" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "הדוא״ל נשמר" @@ -93,31 +89,43 @@ msgstr "לא ניתן לעדכן את היישום." msgid "Update to {appversion}" msgstr "עדכון לגרסה {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "בטל" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "הפעלה" -#: js/apps.js:60 +#: js/apps.js:63 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:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "מתבצע עדכון…" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "אירעה שגיאה בעת עדכון היישום" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "שגיאה" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "עדכון" + +#: js/apps.js:122 msgid "Updated" msgstr "מעודכן" @@ -370,10 +378,6 @@ msgstr "צפה בעמוד הישום ב apps.owncloud.com" msgid "-licensed by " msgstr "ברישיון לטובת " -#: templates/apps.php:43 -msgid "Update" -msgstr "עדכון" - #: templates/help.php:4 msgid "User Documentation" msgstr "תיעוד משתמש" diff --git a/l10n/hi/lib.po b/l10n/hi/lib.po index 28b270f1948..60c81ec7b5a 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: hi\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "सहयोग" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "यक्तिगत" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "सेटिंग्स" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "उपयोगकर्ता" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/hi/settings.po b/l10n/hi/settings.po index 6c4da2cc6c6..dc541066ba0 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "" msgid "Unable to add group" msgstr "" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "" -#: js/apps.js:60 +#: js/apps.js:63 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:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" + +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "त्रुटि" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "अद्यतन" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -145,27 +153,27 @@ msgstr "" msgid "Groups" msgstr "" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" @@ -369,10 +377,6 @@ msgstr "" msgid "-licensed by " msgstr "" -#: templates/apps.php:43 -msgid "Update" -msgstr "अद्यतन" - #: templates/help.php:4 msgid "User Documentation" msgstr "" diff --git a/l10n/hr/lib.po b/l10n/hr/lib.po index 32395b83128..5072e42a307 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: hr\n" "Plural-Forms: nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Pomoć" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Osobno" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Postavke" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Korisnici" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Administrator" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/hr/settings.po b/l10n/hr/settings.po index 660714684d6..a1d1484aab7 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "" msgid "Unable to add group" msgstr "" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "Email spremljen" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Isključi" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Uključi" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "" -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Greška" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" + +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Greška" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -145,27 +153,27 @@ msgstr "" msgid "Groups" msgstr "Grupe" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Grupa Admin" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Obriši" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" @@ -369,10 +377,6 @@ msgstr "Pogledajte stranicu s aplikacijama na apps.owncloud.com" msgid "-licensed by " msgstr "" -#: templates/apps.php:43 -msgid "Update" -msgstr "" - #: templates/help.php:4 msgid "User Documentation" msgstr "" diff --git a/l10n/hu_HU/lib.po b/l10n/hu_HU/lib.po index e508505f741..58c1b28f6cd 100644 --- a/l10n/hu_HU/lib.po +++ b/l10n/hu_HU/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -19,27 +19,38 @@ msgstr "" "Language: hu_HU\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Súgó" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Személyes" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Beállítások" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Felhasználók" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Adminsztráció" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "Sikertelen Frissítés \"%s\"." @@ -75,6 +86,62 @@ msgid "" "administrator." msgstr "Tölts le a fileokat kisebb chunkokban, kölün vagy kérj segitséget a rendszergazdádtól." +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "Az alkalmazás nincs engedélyezve" diff --git a/l10n/hu_HU/settings.po b/l10n/hu_HU/settings.po index 464a3c622e8..a04fb4488ea 100644 --- a/l10n/hu_HU/settings.po +++ b/l10n/hu_HU/settings.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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -45,10 +45,6 @@ msgstr "A csoport már létezik" msgid "Unable to add group" msgstr "A csoport nem hozható létre" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "A program nem aktiválható." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "Email mentve" @@ -95,31 +91,43 @@ msgstr "A program frissítése nem sikerült." msgid "Update to {appversion}" msgstr "Frissítés erre a verzióra: {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Letiltás" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "engedélyezve" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "Kérem várjon..." -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Hiba" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Frissítés folyamatban..." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Hiba történt a programfrissítés közben" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Hiba" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Frissítés" + +#: js/apps.js:122 msgid "Updated" msgstr "Frissítve" @@ -372,10 +380,6 @@ msgstr "Lásd apps.owncloud.com, alkalmazások oldal" msgid "-licensed by " msgstr "-a jogtuladonos " -#: templates/apps.php:43 -msgid "Update" -msgstr "Frissítés" - #: templates/help.php:4 msgid "User Documentation" msgstr "Felhasználói leírás" diff --git a/l10n/hy/lib.po b/l10n/hy/lib.po index c4bd9162a85..63acadec4f1 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: hy\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/hy/settings.po b/l10n/hy/settings.po index a4f0a39f2e3..fe701e6fee7 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "" msgid "Unable to add group" msgstr "" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "" -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -145,27 +153,27 @@ msgstr "" msgid "Groups" msgstr "" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Ջնջել" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" @@ -369,10 +377,6 @@ msgstr "" msgid "-licensed by " msgstr "" -#: templates/apps.php:43 -msgid "Update" -msgstr "" - #: templates/help.php:4 msgid "User Documentation" msgstr "" diff --git a/l10n/ia/lib.po b/l10n/ia/lib.po index 2d76564c421..5a963a58e29 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: ia\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Adjuta" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Personal" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Configurationes" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Usatores" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Administration" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/ia/settings.po b/l10n/ia/settings.po index 45bea595cdd..d43c46e1de0 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "" msgid "Unable to add group" msgstr "" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "" -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Error" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" + +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Error" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Actualisar" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -145,27 +153,27 @@ msgstr "" msgid "Groups" msgstr "Gruppos" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Deler" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" @@ -369,10 +377,6 @@ msgstr "" msgid "-licensed by " msgstr "" -#: templates/apps.php:43 -msgid "Update" -msgstr "Actualisar" - #: templates/help.php:4 msgid "User Documentation" msgstr "" diff --git a/l10n/id/lib.po b/l10n/id/lib.po index a687ac2f3ef..1b7a594f547 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: id\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Bantuan" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Pribadi" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Setelan" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Pengguna" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Admin" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "Aplikasi tidak diaktifkan" diff --git a/l10n/id/settings.po b/l10n/id/settings.po index f4bb62020a1..4940f179f89 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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "Grup sudah ada" msgid "Unable to add group" msgstr "Tidak dapat menambah grup" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Tidak dapat mengaktifkan aplikasi." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "Email disimpan" @@ -92,31 +88,43 @@ msgstr "Tidak dapat memperbarui aplikasi." msgid "Update to {appversion}" msgstr "Perbarui ke {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Nonaktifkan" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "aktifkan" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "Mohon tunggu...." -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Galat" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Memperbarui...." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Gagal ketika memperbarui aplikasi" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Galat" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Perbarui" + +#: js/apps.js:122 msgid "Updated" msgstr "Diperbarui" @@ -369,10 +377,6 @@ msgstr "Lihat halaman aplikasi di apps.owncloud.com" msgid "-licensed by " msgstr "-dilisensikan oleh " -#: templates/apps.php:43 -msgid "Update" -msgstr "Perbarui" - #: templates/help.php:4 msgid "User Documentation" msgstr "Dokumentasi Pengguna" diff --git a/l10n/is/lib.po b/l10n/is/lib.po index 426da0a471f..a1bfd8deb4b 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: is\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Hjálp" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Um mig" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Stillingar" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Notendur" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Stjórnun" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "Forrit ekki virkt" diff --git a/l10n/is/settings.po b/l10n/is/settings.po index cd72b76be08..5f777e83b7c 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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -43,10 +43,6 @@ msgstr "Hópur er þegar til" msgid "Unable to add group" msgstr "Ekki tókst að bæta við hóp" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Gat ekki virkjað forrit" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "Netfang vistað" @@ -93,31 +89,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Gera óvirkt" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Virkja" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "Andartak...." -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Villa" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Uppfæri..." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Villa" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Uppfæra" + +#: js/apps.js:122 msgid "Updated" msgstr "Uppfært" @@ -370,10 +378,6 @@ msgstr "Skoða síðu forrits hjá apps.owncloud.com" msgid "-licensed by " msgstr "-leyfi skráð af " -#: templates/apps.php:43 -msgid "Update" -msgstr "Uppfæra" - #: templates/help.php:4 msgid "User Documentation" msgstr "Notenda handbók" diff --git a/l10n/it/core.po b/l10n/it/core.po index e2a608899bb..c34b608c156 100644 --- a/l10n/it/core.po +++ b/l10n/it/core.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 06:50+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" @@ -151,14 +151,14 @@ msgstr "secondi fa" #: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n minuto fa" +msgstr[1] "%n minuti fa" #: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n ora fa" +msgstr[1] "%n ore fa" #: js/js.js:815 msgid "today" @@ -171,8 +171,8 @@ msgstr "ieri" #: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n giorno fa" +msgstr[1] "%n giorni fa" #: js/js.js:818 msgid "last month" @@ -181,8 +181,8 @@ msgstr "mese scorso" #: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n mese fa" +msgstr[1] "%n mesi fa" #: js/js.js:820 msgid "months ago" @@ -196,23 +196,23 @@ msgstr "anno scorso" msgid "years ago" msgstr "anni fa" -#: js/oc-dialogs.js:117 +#: js/oc-dialogs.js:123 msgid "Choose" msgstr "Scegli" -#: js/oc-dialogs.js:137 js/oc-dialogs.js:196 +#: js/oc-dialogs.js:143 js/oc-dialogs.js:210 msgid "Error loading file picker template" msgstr "Errore durante il caricamento del modello del selezionatore di file" -#: js/oc-dialogs.js:160 +#: js/oc-dialogs.js:168 msgid "Yes" msgstr "Sì" -#: js/oc-dialogs.js:168 +#: js/oc-dialogs.js:178 msgid "No" msgstr "No" -#: js/oc-dialogs.js:181 +#: js/oc-dialogs.js:195 msgid "Ok" msgstr "Ok" @@ -379,7 +379,7 @@ msgstr "L'aggiornamento è stato effettuato correttamente. Stai per essere reind #: lostpassword/controller.php:61 #, php-format msgid "%s password reset" -msgstr "" +msgstr "Ripristino password di %s" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" @@ -580,7 +580,7 @@ msgstr "Esci" #: templates/layout.user.php:100 msgid "More apps" -msgstr "" +msgstr "Altre applicazioni" #: templates/login.php:9 msgid "Automatic logon rejected!" diff --git a/l10n/it/files.po b/l10n/it/files.po index 5f8c561cb46..8196aed3452 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:06+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 06:50+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" @@ -101,15 +101,15 @@ msgid "" "File upload is in progress. Leaving the page now will cancel the upload." msgstr "Caricamento del file in corso. La chiusura della pagina annullerà il caricamento." -#: js/file-upload.js:233 js/files.js:353 +#: js/file-upload.js:234 js/files.js:353 msgid "URL cannot be empty." msgstr "L'URL non può essere vuoto." -#: js/file-upload.js:238 lib/app.php:53 +#: js/file-upload.js:239 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nome della cartella non valido. L'uso di 'Shared' è riservato a ownCloud" -#: js/file-upload.js:269 js/file-upload.js:285 js/files.js:389 js/files.js:405 +#: js/file-upload.js:270 js/file-upload.js:286 js/files.js:389 js/files.js:405 #: js/files.js:709 js/files.js:747 msgid "Error" msgstr "Errore" @@ -157,8 +157,8 @@ msgstr "annulla" #: js/filelist.js:453 msgid "Uploading %n file" msgid_plural "Uploading %n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Caricamento di %n file in corso" +msgstr[1] "Caricamento di %n file in corso" #: js/filelist.js:518 msgid "files uploading" @@ -190,7 +190,7 @@ msgstr "Lo spazio di archiviazione è quasi pieno ({usedSpacePercent}%)" msgid "" "Encryption was disabled but your files are still encrypted. Please go to " "your personal settings to decrypt your files." -msgstr "" +msgstr "La cifratura è stata disabilitata ma i tuoi file sono ancora cifrati. Vai nelle impostazioni personali per decifrare i file." #: js/files.js:245 msgid "" @@ -217,14 +217,14 @@ msgstr "Modificato" #: js/files.js:778 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n cartella" +msgstr[1] "%n cartelle" #: js/files.js:784 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n file" +msgstr[1] "%n file" #: lib/app.php:73 #, php-format diff --git a/l10n/it/files_trashbin.po b/l10n/it/files_trashbin.po index 188d8e7e9c0..323adf9021f 100644 --- a/l10n/it/files_trashbin.po +++ b/l10n/it/files_trashbin.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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 06:50+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" @@ -55,14 +55,14 @@ msgstr "Eliminati" #: js/trash.js:191 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n cartella" +msgstr[1] "%n cartelle" #: js/trash.js:197 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n file" +msgstr[1] "%n file" #: lib/trash.php:819 lib/trash.php:821 msgid "restored" diff --git a/l10n/it/lib.po b/l10n/it/lib.po index 0802ffca262..84dacdb52d2 100644 --- a/l10n/it/lib.po +++ b/l10n/it/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -19,27 +19,38 @@ msgstr "" "Language: it\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Aiuto" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Personale" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Impostazioni" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Utenti" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Admin" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "Aggiornamento non riuscito \"%s\"." @@ -75,6 +86,62 @@ msgid "" "administrator." msgstr "Scarica i file in blocchi più piccoli, separatamente o chiedi al tuo amministratore." +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "L'applicazione non è abilitata" @@ -206,14 +273,14 @@ msgstr "secondi fa" #: template/functions.php:81 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n minuto fa" +msgstr[1] "%n minuti fa" #: template/functions.php:82 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n ora fa" +msgstr[1] "%n ore fa" #: template/functions.php:83 msgid "today" @@ -226,8 +293,8 @@ msgstr "ieri" #: template/functions.php:85 msgid "%n day go" msgid_plural "%n days ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n giorno fa" +msgstr[1] "%n giorni fa" #: template/functions.php:86 msgid "last month" @@ -236,8 +303,8 @@ msgstr "mese scorso" #: template/functions.php:87 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n mese fa" +msgstr[1] "%n mesi fa" #: template/functions.php:88 msgid "last year" diff --git a/l10n/it/settings.po b/l10n/it/settings.po index 8736fd0d1a0..57cb219901f 100644 --- a/l10n/it/settings.po +++ b/l10n/it/settings.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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -45,10 +45,6 @@ msgstr "Il gruppo esiste già" msgid "Unable to add group" msgstr "Impossibile aggiungere il gruppo" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Impossibile abilitare l'applicazione." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "Email salvata" @@ -95,37 +91,49 @@ msgstr "Impossibile aggiornate l'applicazione." msgid "Update to {appversion}" msgstr "Aggiorna a {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Disabilita" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Abilita" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "Attendere..." -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Errore" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" + +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:115 msgid "Updating...." msgstr "Aggiornamento in corso..." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Errore durante l'aggiornamento" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Errore" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Aggiorna" + +#: js/apps.js:122 msgid "Updated" msgstr "Aggiornato" #: js/personal.js:150 msgid "Decrypting files... Please wait, this can take some time." -msgstr "" +msgstr "Decifratura dei file in corso... Attendi, potrebbe richiedere del tempo." #: js/personal.js:172 msgid "Saving..." @@ -372,10 +380,6 @@ msgstr "Vedere la pagina dell'applicazione su apps.owncloud.com" msgid "-licensed by " msgstr "-licenziato da " -#: templates/apps.php:43 -msgid "Update" -msgstr "Aggiorna" - #: templates/help.php:4 msgid "User Documentation" msgstr "Documentazione utente" @@ -478,15 +482,15 @@ msgstr "Cifratura" #: templates/personal.php:119 msgid "The encryption app is no longer enabled, decrypt all your file" -msgstr "" +msgstr "L'applicazione di cifratura non è più abilitata, decifra tutti i tuoi file" #: templates/personal.php:125 msgid "Log-in password" -msgstr "" +msgstr "Password di accesso" #: templates/personal.php:130 msgid "Decrypt all Files" -msgstr "" +msgstr "Decifra tutti i file" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/it/user_ldap.po b/l10n/it/user_ldap.po index c9793a8644e..e39ae95e863 100644 --- a/l10n/it/user_ldap.po +++ b/l10n/it/user_ldap.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 06:40+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" @@ -156,7 +156,7 @@ msgstr "Filtro per l'accesso utente" msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " "username in the login action. Example: \"uid=%%uid\"" -msgstr "" +msgstr "Specifica quale filtro utilizzare quando si tenta l'accesso. %%uid sostituisce il nome utente all'atto dell'accesso. Esempio: \"uid=%%uid\"" #: templates/settings.php:55 msgid "User List Filter" @@ -166,7 +166,7 @@ msgstr "Filtro per l'elenco utenti" msgid "" "Defines the filter to apply, when retrieving users (no placeholders). " "Example: \"objectClass=person\"" -msgstr "" +msgstr "Specifica quale filtro utilizzare durante il recupero degli utenti (nessun segnaposto). Esempio: \"objectClass=person\"" #: templates/settings.php:59 msgid "Group Filter" @@ -176,7 +176,7 @@ msgstr "Filtro per il gruppo" msgid "" "Defines the filter to apply, when retrieving groups (no placeholders). " "Example: \"objectClass=posixGroup\"" -msgstr "" +msgstr "Specifica quale filtro utilizzare durante il recupero dei gruppi (nessun segnaposto). Esempio: \"objectClass=posixGroup\"" #: templates/settings.php:66 msgid "Connection Settings" @@ -237,7 +237,7 @@ msgstr "Disattiva il controllo del certificato SSL." msgid "" "Not recommended, use it for testing only! If connection only works with this" " option, import the LDAP server's SSL certificate in your %s server." -msgstr "" +msgstr "Non consigliata, da utilizzare solo per test! Se la connessione funziona solo con questa opzione, importa il certificate SSL del server LDAP sul tuo server %s." #: templates/settings.php:76 msgid "Cache Time-To-Live" diff --git a/l10n/ja_JP/lib.po b/l10n/ja_JP/lib.po index d6a42e38c1d..3d14cbeb36d 100644 --- a/l10n/ja_JP/lib.po +++ b/l10n/ja_JP/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -19,27 +19,38 @@ msgstr "" "Language: ja_JP\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "ヘルプ" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "個人" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "設定" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "ユーザ" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "管理" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "\"%s\" へのアップグレードに失敗しました。" @@ -75,6 +86,62 @@ msgid "" "administrator." msgstr "ファイルは、小さいファイルに分割されてダウンロードされます。もしくは、管理者にお尋ねください。" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "アプリケーションは無効です" diff --git a/l10n/ja_JP/settings.po b/l10n/ja_JP/settings.po index 913c5d1b9a7..f61f73ba228 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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-20 09:10+0000\n" -"Last-Translator: Daisuke Deguchi \n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -45,10 +45,6 @@ msgstr "グループは既に存在しています" msgid "Unable to add group" msgstr "グループを追加できません" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "アプリを有効にできませんでした。" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "メールアドレスを保存しました" @@ -95,31 +91,43 @@ msgstr "アプリを更新出来ませんでした。" msgid "Update to {appversion}" msgstr "{appversion} に更新" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "無効" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "有効化" -#: js/apps.js:60 +#: js/apps.js:63 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:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "更新中...." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "アプリの更新中にエラーが発生" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "エラー" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "更新" + +#: js/apps.js:122 msgid "Updated" msgstr "更新済み" @@ -372,10 +380,6 @@ msgstr "apps.owncloud.com でアプリケーションのページを見てくだ msgid "-licensed by " msgstr "-ライセンス: " -#: templates/apps.php:43 -msgid "Update" -msgstr "更新" - #: templates/help.php:4 msgid "User Documentation" msgstr "ユーザドキュメント" diff --git a/l10n/ka/lib.po b/l10n/ka/lib.po index cf8cf5f9064..d28838e8f0c 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: ka\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "შველა" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "პერსონა" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "მომხმარებლები" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "ადმინისტრატორი" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/ka/settings.po b/l10n/ka/settings.po index e4fb05fac6b..079d74339ac 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "" msgid "Unable to add group" msgstr "" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "" -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -145,27 +153,27 @@ msgstr "" msgid "Groups" msgstr "" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" @@ -369,10 +377,6 @@ msgstr "" msgid "-licensed by " msgstr "" -#: templates/apps.php:43 -msgid "Update" -msgstr "" - #: templates/help.php:4 msgid "User Documentation" msgstr "" diff --git a/l10n/ka_GE/lib.po b/l10n/ka_GE/lib.po index 3a986486330..0eda718d060 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: ka_GE\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "დახმარება" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "პირადი" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "პარამეტრები" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "მომხმარებელი" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "ადმინისტრატორი" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "აპლიკაცია არ არის აქტიური" diff --git a/l10n/ka_GE/settings.po b/l10n/ka_GE/settings.po index 61c49828358..793b41c51aa 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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -43,10 +43,6 @@ msgstr "ჯგუფი უკვე არსებობს" msgid "Unable to add group" msgstr "ჯგუფის დამატება ვერ მოხერხდა" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "ვერ მოხერხდა აპლიკაციის ჩართვა." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "იმეილი შენახულია" @@ -93,31 +89,43 @@ msgstr "ვერ მოხერხდა აპლიკაციის გა msgid "Update to {appversion}" msgstr "განაახლე {appversion}–მდე" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "გამორთვა" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "ჩართვა" -#: js/apps.js:60 +#: js/apps.js:63 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:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "მიმდინარეობს განახლება...." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "შეცდომა აპლიკაციის განახლების დროს" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "შეცდომა" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "განახლება" + +#: js/apps.js:122 msgid "Updated" msgstr "განახლებულია" @@ -370,10 +378,6 @@ msgstr "ნახეთ აპლიკაციის გვერდი apps.o msgid "-licensed by " msgstr "-ლიცენსირებულია " -#: templates/apps.php:43 -msgid "Update" -msgstr "განახლება" - #: templates/help.php:4 msgid "User Documentation" msgstr "მომხმარებლის დოკუმენტაცია" diff --git a/l10n/kn/lib.po b/l10n/kn/lib.po index 63406f842e7..73fe472ef52 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: kn\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/kn/settings.po b/l10n/kn/settings.po index cc0192feeb9..e875108d7cd 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "" msgid "Unable to add group" msgstr "" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "" -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -145,27 +153,27 @@ msgstr "" msgid "Groups" msgstr "" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" @@ -369,10 +377,6 @@ msgstr "" msgid "-licensed by " msgstr "" -#: templates/apps.php:43 -msgid "Update" -msgstr "" - #: templates/help.php:4 msgid "User Documentation" msgstr "" diff --git a/l10n/ko/lib.po b/l10n/ko/lib.po index 780a12d6343..1c826578446 100644 --- a/l10n/ko/lib.po +++ b/l10n/ko/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -18,27 +18,38 @@ msgstr "" "Language: ko\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "도움말" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "개인" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "설정" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "사용자" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "관리자" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -74,6 +85,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "앱이 활성화되지 않았습니다" diff --git a/l10n/ko/settings.po b/l10n/ko/settings.po index 3b5fbb866a4..9556c8739f3 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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -43,10 +43,6 @@ msgstr "그룹이 이미 존재함" msgid "Unable to add group" msgstr "그룹을 추가할 수 없음" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "앱을 활성화할 수 없습니다." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "이메일 저장됨" @@ -93,31 +89,43 @@ msgstr "앱을 업데이트할 수 없습니다." msgid "Update to {appversion}" msgstr "버전 {appversion}(으)로 업데이트" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "비활성화" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "사용함" -#: js/apps.js:60 +#: js/apps.js:63 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:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "업데이트 중...." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "앱을 업데이트하는 중 오류 발생" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "오류" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "업데이트" + +#: js/apps.js:122 msgid "Updated" msgstr "업데이트됨" @@ -370,10 +378,6 @@ msgstr "apps.owncloud.com에 있는 앱 페이지를 참고하십시오" msgid "-licensed by " msgstr "-라이선스됨: " -#: templates/apps.php:43 -msgid "Update" -msgstr "업데이트" - #: templates/help.php:4 msgid "User Documentation" msgstr "사용자 문서" diff --git a/l10n/ku_IQ/lib.po b/l10n/ku_IQ/lib.po index 983e005aa24..06a8f2c010f 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: ku_IQ\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "یارمەتی" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "ده‌ستكاری" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "به‌كارهێنه‌ر" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "به‌ڕێوه‌به‌ری سه‌ره‌كی" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/ku_IQ/settings.po b/l10n/ku_IQ/settings.po index ba15b44ca9f..943ca690406 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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "" msgid "Unable to add group" msgstr "" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "چالاککردن" -#: js/apps.js:60 +#: js/apps.js:63 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:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" + +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "هه‌ڵه" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "نوێکردنه‌وه" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -369,10 +377,6 @@ msgstr "" msgid "-licensed by " msgstr "" -#: templates/apps.php:43 -msgid "Update" -msgstr "نوێکردنه‌وه" - #: templates/help.php:4 msgid "User Documentation" msgstr "" diff --git a/l10n/lb/lib.po b/l10n/lb/lib.po index 8ee53d4cf04..e8a02a77cbb 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -18,27 +18,38 @@ msgstr "" "Language: lb\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Hëllef" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Perséinlech" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Astellungen" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Benotzer" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Admin" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -74,6 +85,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/lb/settings.po b/l10n/lb/settings.po index bc5e2c40607..195b886e8d6 100644 --- a/l10n/lb/settings.po +++ b/l10n/lb/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-08-23 20:16-0400\n" -"PO-Revision-Date: 2013-08-23 11:10+0000\n" -"Last-Translator: llaera \n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -43,10 +43,6 @@ msgstr "Group existeiert schon." msgid "Unable to add group" msgstr "Onmeiglech Grupp beizefügen." -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Kann App net aktiveieren." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "E-mail gespäichert" @@ -93,31 +89,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Ofschalten" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Aschalten" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "" -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Fehler" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Fehler" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -370,10 +378,6 @@ msgstr "Kuck dir d'Applicatioun's Säit op apps.owncloud.com un" msgid "-licensed by " msgstr "" -#: templates/apps.php:43 -msgid "Update" -msgstr "" - #: templates/help.php:4 msgid "User Documentation" msgstr "" diff --git a/l10n/lt_LT/lib.po b/l10n/lt_LT/lib.po index 34cc04cbf53..6a642972a44 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -18,27 +18,38 @@ msgstr "" "Language: lt_LT\n" "Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Pagalba" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Asmeniniai" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Nustatymai" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Vartotojai" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Administravimas" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -74,6 +85,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "Programa neįjungta" diff --git a/l10n/lt_LT/settings.po b/l10n/lt_LT/settings.po index a0c8555bbe5..9f10ee721e5 100644 --- a/l10n/lt_LT/settings.po +++ b/l10n/lt_LT/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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -43,10 +43,6 @@ msgstr "Grupė jau egzistuoja" msgid "Unable to add group" msgstr "Nepavyko pridėti grupės" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Nepavyksta įjungti aplikacijos." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "El. paštas išsaugotas" @@ -93,31 +89,43 @@ msgstr "Nepavyko atnaujinti programos." msgid "Update to {appversion}" msgstr "Atnaujinti iki {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Išjungti" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Įjungti" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "Prašome palaukti..." -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Klaida" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Atnaujinama..." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Įvyko klaida atnaujinant programą" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Klaida" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Atnaujinti" + +#: js/apps.js:122 msgid "Updated" msgstr "Atnaujinta" @@ -370,10 +378,6 @@ msgstr "" msgid "-licensed by " msgstr "- autorius" -#: templates/apps.php:43 -msgid "Update" -msgstr "Atnaujinti" - #: templates/help.php:4 msgid "User Documentation" msgstr "" diff --git a/l10n/lv/lib.po b/l10n/lv/lib.po index 36471317d5a..4e466109777 100644 --- a/l10n/lv/lib.po +++ b/l10n/lv/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -18,27 +18,38 @@ msgstr "" "Language: lv\n" "Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Palīdzība" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Personīgi" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Iestatījumi" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Lietotāji" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Administratori" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "Kļūda atjauninot \"%s\"" @@ -74,6 +85,62 @@ msgid "" "administrator." msgstr "Lejupielādējiet savus failus mazākās daļās, atsevišķi vai palūdziet tos administratoram." +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "Lietotne nav aktivēta" diff --git a/l10n/lv/settings.po b/l10n/lv/settings.po index 635999b490d..d3122ddf860 100644 --- a/l10n/lv/settings.po +++ b/l10n/lv/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-08-23 20:16-0400\n" -"PO-Revision-Date: 2013-08-23 14:10+0000\n" -"Last-Translator: stendec \n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -43,10 +43,6 @@ msgstr "Grupa jau eksistē" msgid "Unable to add group" msgstr "Nevar pievienot grupu" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Nevarēja aktivēt lietotni." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "E-pasts tika saglabāts" @@ -93,31 +89,43 @@ msgstr "Nevarēja atjaunināt lietotni." msgid "Update to {appversion}" msgstr "Atjaunināt uz {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Deaktivēt" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Aktivēt" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "Lūdzu, uzgaidiet...." -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Kļūda" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Atjaunina...." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Kļūda, atjauninot lietotni" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Kļūda" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Atjaunināt" + +#: js/apps.js:122 msgid "Updated" msgstr "Atjaunināta" @@ -370,10 +378,6 @@ msgstr "Apskati lietotņu lapu — apps.owncloud.com" msgid "-licensed by " msgstr "-licencēts no " -#: templates/apps.php:43 -msgid "Update" -msgstr "Atjaunināt" - #: templates/help.php:4 msgid "User Documentation" msgstr "Lietotāja dokumentācija" diff --git a/l10n/mk/lib.po b/l10n/mk/lib.po index e22d5843f50..9ea277ce4a9 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: mk\n" "Plural-Forms: nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Помош" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Лично" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Подесувања" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Корисници" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Админ" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "Апликацијата не е овозможена" diff --git a/l10n/mk/settings.po b/l10n/mk/settings.po index 77eea7f21cc..f607774bbaf 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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "Групата веќе постои" msgid "Unable to add group" msgstr "Неможе да додадам група" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Неможе да овозможам апликација." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "Електронската пошта е снимена" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Оневозможи" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Овозможи" -#: js/apps.js:60 +#: js/apps.js:63 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:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Грешка" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Ажурирај" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -369,10 +377,6 @@ msgstr "Види ја страницата со апликации на apps.own msgid "-licensed by " msgstr "-лиценцирано од " -#: templates/apps.php:43 -msgid "Update" -msgstr "Ажурирај" - #: templates/help.php:4 msgid "User Documentation" msgstr "Корисничка документација" diff --git a/l10n/ml_IN/lib.po b/l10n/ml_IN/lib.po index 0e8c35fca63..98bbc764f02 100644 --- a/l10n/ml_IN/lib.po +++ b/l10n/ml_IN/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: ml_IN\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/ml_IN/settings.po b/l10n/ml_IN/settings.po index ae59755b18c..67536fd94e7 100644 --- a/l10n/ml_IN/settings.po +++ b/l10n/ml_IN/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "" msgid "Unable to add group" msgstr "" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "" -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -145,27 +153,27 @@ msgstr "" msgid "Groups" msgstr "" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" @@ -369,10 +377,6 @@ msgstr "" msgid "-licensed by " msgstr "" -#: templates/apps.php:43 -msgid "Update" -msgstr "" - #: templates/help.php:4 msgid "User Documentation" msgstr "" diff --git a/l10n/ms_MY/lib.po b/l10n/ms_MY/lib.po index 7f34225a016..637bea9f33c 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: ms_MY\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Bantuan" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Peribadi" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Tetapan" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Pengguna" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Admin" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/ms_MY/settings.po b/l10n/ms_MY/settings.po index c18b8be698a..f809ae90632 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "" msgid "Unable to add group" msgstr "" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "Emel disimpan" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Nyahaktif" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Aktif" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "" -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Ralat" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" + +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Ralat" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Kemaskini" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -145,27 +153,27 @@ msgstr "" msgid "Groups" msgstr "Kumpulan" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Padam" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" @@ -369,10 +377,6 @@ msgstr "Lihat halaman applikasi di apps.owncloud.com" msgid "-licensed by " msgstr "" -#: templates/apps.php:43 -msgid "Update" -msgstr "Kemaskini" - #: templates/help.php:4 msgid "User Documentation" msgstr "" diff --git a/l10n/my_MM/lib.po b/l10n/my_MM/lib.po index a8a9bc152a8..4e6fa87d989 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: my_MM\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "အကူအညီ" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "သုံးစွဲသူ" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "အက်ဒမင်" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/my_MM/settings.po b/l10n/my_MM/settings.po index f537d21d9e2..94670f111b4 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "" msgid "Unable to add group" msgstr "" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "" -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -145,27 +153,27 @@ msgstr "" msgid "Groups" msgstr "" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" @@ -369,10 +377,6 @@ msgstr "" msgid "-licensed by " msgstr "" -#: templates/apps.php:43 -msgid "Update" -msgstr "" - #: templates/help.php:4 msgid "User Documentation" msgstr "" diff --git a/l10n/nb_NO/lib.po b/l10n/nb_NO/lib.po index 81cf9faa238..1341b39baed 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: nb_NO\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Hjelp" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Personlig" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Innstillinger" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Brukere" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Admin" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "Applikasjon er ikke påslått" diff --git a/l10n/nb_NO/settings.po b/l10n/nb_NO/settings.po index 7c1c0736cfa..98c0ccd9250 100644 --- a/l10n/nb_NO/settings.po +++ b/l10n/nb_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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -44,10 +44,6 @@ msgstr "Gruppen finnes allerede" msgid "Unable to add group" msgstr "Kan ikke legge til gruppe" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Kan ikke aktivere app." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "Epost lagret" @@ -94,31 +90,43 @@ msgstr "Kunne ikke oppdatere app." msgid "Update to {appversion}" msgstr "Oppdater til {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Slå avBehandle " -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Aktiver" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "Vennligst vent..." -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Feil" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Oppdaterer..." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Feil ved oppdatering av app" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Feil" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Oppdater" + +#: js/apps.js:122 msgid "Updated" msgstr "Oppdatert" @@ -371,10 +379,6 @@ msgstr "Se applikasjonens side på apps.owncloud.org" msgid "-licensed by " msgstr "-lisensiert av " -#: templates/apps.php:43 -msgid "Update" -msgstr "Oppdater" - #: templates/help.php:4 msgid "User Documentation" msgstr "Brukerdokumentasjon" diff --git a/l10n/nb_NO/user_webdavauth.po b/l10n/nb_NO/user_webdavauth.po index 89f5f3f24e2..8be4a5ee62f 100644 --- a/l10n/nb_NO/user_webdavauth.po +++ b/l10n/nb_NO/user_webdavauth.po @@ -3,14 +3,15 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# espenbye , 2013 # espenbye , 2012 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-27 01:56-0400\n" -"PO-Revision-Date: 2013-07-27 05:57+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-24 14:10+0000\n" +"Last-Translator: espenbye \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" @@ -24,7 +25,7 @@ msgstr "" #: templates/settings.php:4 msgid "Address: " -msgstr "" +msgstr "Adresse:" #: templates/settings.php:7 msgid "" diff --git a/l10n/ne/lib.po b/l10n/ne/lib.po index 8852f856cc1..a938ce906cd 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: ne\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/ne/settings.po b/l10n/ne/settings.po index 578a57af945..95b359633ed 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "" msgid "Unable to add group" msgstr "" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "" -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -145,27 +153,27 @@ msgstr "" msgid "Groups" msgstr "" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" @@ -369,10 +377,6 @@ msgstr "" msgid "-licensed by " msgstr "" -#: templates/apps.php:43 -msgid "Update" -msgstr "" - #: templates/help.php:4 msgid "User Documentation" msgstr "" diff --git a/l10n/nl/lib.po b/l10n/nl/lib.po index eba0796878e..468b5856f6b 100644 --- a/l10n/nl/lib.po +++ b/l10n/nl/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -19,27 +19,38 @@ msgstr "" "Language: nl\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Help" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Persoonlijk" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Instellingen" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Gebruikers" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Beheerder" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "Upgrade \"%s\" mislukt." @@ -75,6 +86,62 @@ msgid "" "administrator." msgstr "Download de bestanden in kleinere brokken, appart of vraag uw administrator." +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "De applicatie is niet actief" diff --git a/l10n/nl/settings.po b/l10n/nl/settings.po index 265529a90a4..c3145479931 100644 --- a/l10n/nl/settings.po +++ b/l10n/nl/settings.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-08-22 10:36-0400\n" -"PO-Revision-Date: 2013-08-21 18:40+0000\n" -"Last-Translator: kwillems \n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -46,10 +46,6 @@ msgstr "Groep bestaat al" msgid "Unable to add group" msgstr "Niet in staat om groep toe te voegen" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Kan de app. niet activeren" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "E-mail bewaard" @@ -96,31 +92,43 @@ msgstr "Kon de app niet bijwerken." msgid "Update to {appversion}" msgstr "Bijwerken naar {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Uitschakelen" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Activeer" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "Even geduld aub...." -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Fout" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Bijwerken...." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Fout bij bijwerken app" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Fout" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Bijwerken" + +#: js/apps.js:122 msgid "Updated" msgstr "Bijgewerkt" @@ -373,10 +381,6 @@ msgstr "Zie de applicatiepagina op apps.owncloud.com" msgid "-licensed by " msgstr "-Gelicenseerd door " -#: templates/apps.php:43 -msgid "Update" -msgstr "Bijwerken" - #: templates/help.php:4 msgid "User Documentation" msgstr "Gebruikersdocumentatie" diff --git a/l10n/nn_NO/lib.po b/l10n/nn_NO/lib.po index cb71c6e589f..5829746af29 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -18,27 +18,38 @@ msgstr "" "Language: nn_NO\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Hjelp" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Personleg" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Innstillingar" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Brukarar" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Administrer" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -74,6 +85,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/nn_NO/settings.po b/l10n/nn_NO/settings.po index ca6c39e33cb..f46da15c6e2 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -44,10 +44,6 @@ msgstr "Gruppa finst allereie" msgid "Unable to add group" msgstr "Klarte ikkje leggja til gruppa" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Klarte ikkje slå på programmet." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "E-postadresse lagra" @@ -94,31 +90,43 @@ msgstr "Klarte ikkje oppdatera programmet." msgid "Update to {appversion}" msgstr "Oppdater til {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Slå av" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Slå på" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "Ver venleg og vent …" -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Feil" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Oppdaterer …" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Feil ved oppdatering av app" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Feil" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Oppdater" + +#: js/apps.js:122 msgid "Updated" msgstr "Oppdatert" @@ -147,27 +155,27 @@ msgstr "Klarte ikkje fjerna brukaren" msgid "Groups" msgstr "Grupper" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Gruppestyrar" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Slett" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "legg til gruppe" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "Du må oppgje eit gyldig brukarnamn" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "Feil ved oppretting av brukar" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "Du må oppgje eit gyldig passord" @@ -371,10 +379,6 @@ msgstr "Sjå programsida på apps.owncloud.com" msgid "-licensed by " msgstr "Lisensiert under av " -#: templates/apps.php:43 -msgid "Update" -msgstr "Oppdater" - #: templates/help.php:4 msgid "User Documentation" msgstr "Brukardokumentasjon" diff --git a/l10n/oc/lib.po b/l10n/oc/lib.po index cfa24f83de8..5cbb1c5e010 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: oc\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Ajuda" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Personal" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Configuracion" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Usancièrs" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Admin" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/oc/settings.po b/l10n/oc/settings.po index 39b43f27c7f..6a06eef3b99 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "Lo grop existís ja" msgid "Unable to add group" msgstr "Pas capable d'apondre un grop" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Pòt pas activar app. " - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "Corrièl enregistrat" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Desactiva" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Activa" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "" -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Error" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Error" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -145,27 +153,27 @@ msgstr "" msgid "Groups" msgstr "Grops" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "Grop Admin" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Escafa" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" @@ -369,10 +377,6 @@ msgstr "Agacha la pagina d'applications en cò de apps.owncloud.com" msgid "-licensed by " msgstr "-licençiat per " -#: templates/apps.php:43 -msgid "Update" -msgstr "" - #: templates/help.php:4 msgid "User Documentation" msgstr "" diff --git a/l10n/pl/lib.po b/l10n/pl/lib.po index ea1272f2a8e..d44b5a180f1 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -18,27 +18,38 @@ msgstr "" "Language: pl\n" "Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Pomoc" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Osobiste" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Ustawienia" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Użytkownicy" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Administrator" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "Błąd przy aktualizacji \"%s\"." @@ -74,6 +85,62 @@ msgid "" "administrator." msgstr "Pobierz pliki w mniejszy kawałkach, oddzielnie lub poproś administratora o zwiększenie limitu." +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "Aplikacja nie jest włączona" diff --git a/l10n/pl/settings.po b/l10n/pl/settings.po index 6f634a0dc1b..13437f51c48 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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -44,10 +44,6 @@ msgstr "Grupa już istnieje" msgid "Unable to add group" msgstr "Nie można dodać grupy" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Nie można włączyć aplikacji." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "E-mail zapisany" @@ -94,31 +90,43 @@ msgstr "Nie można uaktualnić aplikacji." msgid "Update to {appversion}" msgstr "Aktualizacja do {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Wyłącz" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Włącz" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "Proszę czekać..." -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Błąd" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Aktualizacja w toku..." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Błąd podczas aktualizacji aplikacji" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Błąd" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Aktualizuj" + +#: js/apps.js:122 msgid "Updated" msgstr "Zaktualizowano" @@ -371,10 +379,6 @@ msgstr "Zobacz stronę aplikacji na apps.owncloud.com" msgid "-licensed by " msgstr "-licencjonowane przez " -#: templates/apps.php:43 -msgid "Update" -msgstr "Aktualizuj" - #: templates/help.php:4 msgid "User Documentation" msgstr "Dokumentacja użytkownika" diff --git a/l10n/pt_BR/lib.po b/l10n/pt_BR/lib.po index 80a90875c3a..509528a2d20 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -18,27 +18,38 @@ msgstr "" "Language: pt_BR\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Ajuda" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Pessoal" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Ajustes" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Usuários" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Admin" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "Falha na atualização de \"%s\"." @@ -74,6 +85,62 @@ msgid "" "administrator." msgstr "Baixe os arquivos em pedaços menores, separadamente ou solicite educadamente ao seu administrador." +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "Aplicação não está habilitada" diff --git a/l10n/pt_BR/settings.po b/l10n/pt_BR/settings.po index 674d3237b72..e6dd573d4dd 100644 --- a/l10n/pt_BR/settings.po +++ b/l10n/pt_BR/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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-20 00:50+0000\n" -"Last-Translator: Flávio Veras \n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -44,10 +44,6 @@ msgstr "Grupo já existe" msgid "Unable to add group" msgstr "Não foi possível adicionar grupo" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Não foi possível habilitar aplicativo." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "E-mail salvo" @@ -94,31 +90,43 @@ msgstr "Não foi possível atualizar a app." msgid "Update to {appversion}" msgstr "Atualizar para {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Desabilitar" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Habilitar" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "Por favor, aguarde..." -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Erro" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Atualizando..." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Erro ao atualizar aplicativo" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Erro" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Atualizar" + +#: js/apps.js:122 msgid "Updated" msgstr "Atualizado" @@ -371,10 +379,6 @@ msgstr "Ver página do aplicativo em apps.owncloud.com" msgid "-licensed by " msgstr "-licenciado por " -#: templates/apps.php:43 -msgid "Update" -msgstr "Atualizar" - #: templates/help.php:4 msgid "User Documentation" msgstr "Documentação de Usuário" diff --git a/l10n/pt_PT/lib.po b/l10n/pt_PT/lib.po index c1a7fac6ec2..b7393d9b03a 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -18,27 +18,38 @@ msgstr "" "Language: pt_PT\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Ajuda" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Pessoal" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Configurações" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Utilizadores" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Admin" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "A actualização \"%s\" falhou." @@ -74,6 +85,62 @@ msgid "" "administrator." msgstr "Descarregue os ficheiros em partes menores, separados ou peça gentilmente ao seu administrador." +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "A aplicação não está activada" diff --git a/l10n/pt_PT/settings.po b/l10n/pt_PT/settings.po index a22e4fc18bb..3e43edd8945 100644 --- a/l10n/pt_PT/settings.po +++ b/l10n/pt_PT/settings.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -46,10 +46,6 @@ msgstr "O grupo já existe" msgid "Unable to add group" msgstr "Impossível acrescentar o grupo" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Não foi possível activar a app." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "Email guardado" @@ -96,31 +92,43 @@ msgstr "Não foi possível actualizar a aplicação." msgid "Update to {appversion}" msgstr "Actualizar para a versão {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Desactivar" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Activar" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "Por favor aguarde..." -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Erro" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "A Actualizar..." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Erro enquanto actualizava a aplicação" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Erro" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Actualizar" + +#: js/apps.js:122 msgid "Updated" msgstr "Actualizado" @@ -373,10 +381,6 @@ msgstr "Ver a página da aplicação em apps.owncloud.com" msgid "-licensed by " msgstr "-licenciado por " -#: templates/apps.php:43 -msgid "Update" -msgstr "Actualizar" - #: templates/help.php:4 msgid "User Documentation" msgstr "Documentação de Utilizador" diff --git a/l10n/ro/lib.po b/l10n/ro/lib.po index d09f1365448..2a84e7235cf 100644 --- a/l10n/ro/lib.po +++ b/l10n/ro/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -18,27 +18,38 @@ msgstr "" "Language: ro\n" "Plural-Forms: nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Ajutor" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Personal" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Setări" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Utilizatori" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Admin" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -74,6 +85,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "Aplicația nu este activată" diff --git a/l10n/ro/settings.po b/l10n/ro/settings.po index 601eba0a05c..1e816b50f09 100644 --- a/l10n/ro/settings.po +++ b/l10n/ro/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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -43,10 +43,6 @@ msgstr "Grupul există deja" msgid "Unable to add group" msgstr "Nu s-a putut adăuga grupul" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Nu s-a putut activa aplicația." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "E-mail salvat" @@ -93,31 +89,43 @@ msgstr "Aplicaţia nu s-a putut actualiza." msgid "Update to {appversion}" msgstr "Actualizat la {versiuneaaplicaţiei}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Dezactivați" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Activare" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "Aşteptaţi vă rog...." -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Eroare" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Actualizare în curs...." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Eroare în timpul actualizării aplicaţiei" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Eroare" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Actualizare" + +#: js/apps.js:122 msgid "Updated" msgstr "Actualizat" @@ -370,10 +378,6 @@ msgstr "Vizualizează pagina applicației pe apps.owncloud.com" msgid "-licensed by " msgstr "-licențiat " -#: templates/apps.php:43 -msgid "Update" -msgstr "Actualizare" - #: templates/help.php:4 msgid "User Documentation" msgstr "Documentație utilizator" diff --git a/l10n/ru/lib.po b/l10n/ru/lib.po index a2908e78ace..70d8b918f39 100644 --- a/l10n/ru/lib.po +++ b/l10n/ru/lib.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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -20,27 +20,38 @@ msgstr "" "Language: ru\n" "Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Помощь" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Личное" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Конфигурация" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Пользователи" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Admin" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "Не смог обновить \"%s\"." @@ -76,6 +87,62 @@ msgid "" "administrator." msgstr "Загрузите файл маленьшими порциями, раздельно или вежливо попросите Вашего администратора." +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "Приложение не разрешено" diff --git a/l10n/ru/settings.po b/l10n/ru/settings.po index 64559aacebc..672f6b6bebc 100644 --- a/l10n/ru/settings.po +++ b/l10n/ru/settings.po @@ -13,8 +13,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -48,10 +48,6 @@ msgstr "Группа уже существует" msgid "Unable to add group" msgstr "Невозможно добавить группу" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Не удалось включить приложение." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "Email сохранен" @@ -98,31 +94,43 @@ msgstr "Невозможно обновить приложение" msgid "Update to {appversion}" msgstr "Обновить до {версия приложения}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Выключить" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Включить" -#: js/apps.js:60 +#: js/apps.js:63 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:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Обновление..." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Ошибка при обновлении приложения" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Ошибка" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Обновить" + +#: js/apps.js:122 msgid "Updated" msgstr "Обновлено" @@ -375,10 +383,6 @@ msgstr "Смотрите дополнения на apps.owncloud.com" msgid "-licensed by " msgstr " лицензия. Автор " -#: templates/apps.php:43 -msgid "Update" -msgstr "Обновить" - #: templates/help.php:4 msgid "User Documentation" msgstr "Пользовательская документация" diff --git a/l10n/si_LK/lib.po b/l10n/si_LK/lib.po index 8bd7dedc627..ef707dcafd0 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: si_LK\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "උදව්" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "පෞද්ගලික" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "සිටුවම්" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "පරිශීලකයන්" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "පරිපාලක" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "යෙදුම සක්‍රිය කර නොමැත" diff --git a/l10n/si_LK/settings.po b/l10n/si_LK/settings.po index d80c3808036..0aaa56ad95d 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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "කණ්ඩායම දැනටමත් තිබේ" msgid "Unable to add group" msgstr "කාණඩයක් එක් කළ නොහැකි විය" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "යෙදුම සක්‍රීය කළ නොහැකි විය." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "වි-තැපෑල සුරකින ලදී" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "අක්‍රිය කරන්න" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "සක්‍රිය කරන්න" -#: js/apps.js:60 +#: js/apps.js:63 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:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "දෝෂයක්" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "යාවත්කාල කිරීම" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -369,10 +377,6 @@ msgstr "" msgid "-licensed by " msgstr "" -#: templates/apps.php:43 -msgid "Update" -msgstr "යාවත්කාල කිරීම" - #: templates/help.php:4 msgid "User Documentation" msgstr "" diff --git a/l10n/sk/lib.po b/l10n/sk/lib.po index 00f4b5abfa4..a2deec2de35 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: sk\n" "Plural-Forms: nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/sk/settings.po b/l10n/sk/settings.po index 44c3a024c0e..a5b82a490e7 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "" msgid "Unable to add group" msgstr "" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "" -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -145,27 +153,27 @@ msgstr "" msgid "Groups" msgstr "" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" @@ -369,10 +377,6 @@ msgstr "" msgid "-licensed by " msgstr "" -#: templates/apps.php:43 -msgid "Update" -msgstr "" - #: templates/help.php:4 msgid "User Documentation" msgstr "" diff --git a/l10n/sk_SK/lib.po b/l10n/sk_SK/lib.po index 21bd46ddf1a..b40d282cddc 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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-20 16:50+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -18,27 +18,38 @@ msgstr "" "Language: sk_SK\n" "Plural-Forms: nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Pomoc" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Osobné" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Nastavenia" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Používatelia" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Administrátor" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "Zlyhala aktualizácia \"%s\"." @@ -74,6 +85,62 @@ msgid "" "administrator." msgstr "Stiahnite súbory po menších častiach, samostatne, alebo sa obráťte na správcu." +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "Aplikácia nie je zapnutá" diff --git a/l10n/sk_SK/settings.po b/l10n/sk_SK/settings.po index d20e60bd691..456e726abfd 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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-20 19:40+0000\n" -"Last-Translator: mhh \n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -43,10 +43,6 @@ msgstr "Skupina už existuje" msgid "Unable to add group" msgstr "Nie je možné pridať skupinu" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Nie je možné zapnúť aplikáciu." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "Email uložený" @@ -93,31 +89,43 @@ msgstr "Nemožno aktualizovať aplikáciu." msgid "Update to {appversion}" msgstr "Aktualizovať na {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Zakázať" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Zapnúť" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "Čakajte prosím..." -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Chyba" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Aktualizujem..." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "chyba pri aktualizácii aplikácie" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Chyba" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Aktualizovať" + +#: js/apps.js:122 msgid "Updated" msgstr "Aktualizované" @@ -370,10 +378,6 @@ msgstr "Pozrite si stránku aplikácií na apps.owncloud.com" msgid "-licensed by " msgstr "-licencované " -#: templates/apps.php:43 -msgid "Update" -msgstr "Aktualizovať" - #: templates/help.php:4 msgid "User Documentation" msgstr "Príručka používateľa" diff --git a/l10n/sl/lib.po b/l10n/sl/lib.po index a1879f4bce7..38ac1137b6f 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -18,27 +18,38 @@ msgstr "" "Language: sl\n" "Plural-Forms: nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Pomoč" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Osebno" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Nastavitve" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Uporabniki" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Skrbništvo" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -74,6 +85,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "Program ni omogočen" diff --git a/l10n/sl/settings.po b/l10n/sl/settings.po index 9b0ecf0db04..2ffd3e80111 100644 --- a/l10n/sl/settings.po +++ b/l10n/sl/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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -44,10 +44,6 @@ msgstr "Skupina že obstaja" msgid "Unable to add group" msgstr "Skupine ni mogoče dodati" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Programa ni mogoče omogočiti." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "Elektronski naslov je shranjen" @@ -94,31 +90,43 @@ msgstr "Programa ni mogoče posodobiti." msgid "Update to {appversion}" msgstr "Posodobi na {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Onemogoči" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Omogoči" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "Počakajte ..." -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Napaka" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Poteka posodabljanje ..." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Prišlo je do napake med posodabljanjem programa." -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Napaka" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Posodobi" + +#: js/apps.js:122 msgid "Updated" msgstr "Posodobljeno" @@ -371,10 +379,6 @@ msgstr "Obiščite spletno stran programa na apps.owncloud.com" msgid "-licensed by " msgstr "-z dovoljenjem " -#: templates/apps.php:43 -msgid "Update" -msgstr "Posodobi" - #: templates/help.php:4 msgid "User Documentation" msgstr "Uporabniška dokumentacija" diff --git a/l10n/sq/lib.po b/l10n/sq/lib.po index e5602b240e1..84fd768e0f8 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: sq\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Ndihmë" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Personale" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Parametra" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Përdoruesit" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Admin" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "Programi nuk është i aktivizuar." diff --git a/l10n/sq/settings.po b/l10n/sq/settings.po index 22bfb9d5de0..9e65797efea 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "" msgid "Unable to add group" msgstr "" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "" -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Veprim i gabuar" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" + +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Veprim i gabuar" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Azhurno" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -145,27 +153,27 @@ msgstr "" msgid "Groups" msgstr "" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Elimino" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" @@ -369,10 +377,6 @@ msgstr "" msgid "-licensed by " msgstr "" -#: templates/apps.php:43 -msgid "Update" -msgstr "Azhurno" - #: templates/help.php:4 msgid "User Documentation" msgstr "" diff --git a/l10n/sr/lib.po b/l10n/sr/lib.po index 0ae0fe074fc..1a0c5931797 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: sr\n" "Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Помоћ" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Лично" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Поставке" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Корисници" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Администратор" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "Апликација није омогућена" diff --git a/l10n/sr/settings.po b/l10n/sr/settings.po index f6e0850c9f0..1bbe0a101e5 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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "Група већ постоји" msgid "Unable to add group" msgstr "Не могу да додам групу" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Не могу да укључим програм" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "Е-порука сачувана" @@ -92,31 +88,43 @@ msgstr "Не могу да ажурирам апликацију." msgid "Update to {appversion}" msgstr "Ажурирај на {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Искључи" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Омогући" -#: js/apps.js:60 +#: js/apps.js:63 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:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Ажурирам…" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Грешка при ажурирању апликације" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Грешка" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Ажурирај" + +#: js/apps.js:122 msgid "Updated" msgstr "Ажурирано" @@ -369,10 +377,6 @@ msgstr "Погледајте страницу са програмима на app msgid "-licensed by " msgstr "-лиценцирао " -#: templates/apps.php:43 -msgid "Update" -msgstr "Ажурирај" - #: templates/help.php:4 msgid "User Documentation" msgstr "Корисничка документација" diff --git a/l10n/sr@latin/lib.po b/l10n/sr@latin/lib.po index 561b4de4318..9448ebc4c40 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: sr@latin\n" "Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Pomoć" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Lično" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Podešavanja" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Korisnici" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Adninistracija" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/sr@latin/settings.po b/l10n/sr@latin/settings.po index 4253999069f..cdf4509a43e 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "" msgid "Unable to add group" msgstr "" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "" -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -145,27 +153,27 @@ msgstr "" msgid "Groups" msgstr "Grupe" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "Obriši" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" @@ -369,10 +377,6 @@ msgstr "" msgid "-licensed by " msgstr "" -#: templates/apps.php:43 -msgid "Update" -msgstr "" - #: templates/help.php:4 msgid "User Documentation" msgstr "" diff --git a/l10n/sv/lib.po b/l10n/sv/lib.po index ac5e105a4e4..3230a1c404b 100644 --- a/l10n/sv/lib.po +++ b/l10n/sv/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -19,27 +19,38 @@ msgstr "" "Language: sv\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Hjälp" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Personligt" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Inställningar" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Användare" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Admin" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "Misslyckades med att uppgradera \"%s\"." @@ -75,6 +86,62 @@ msgid "" "administrator." msgstr "Ladda ner filerna i mindre bitar, separat eller fråga din administratör." +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "Applikationen är inte aktiverad" diff --git a/l10n/sv/settings.po b/l10n/sv/settings.po index b27f9bed237..4c57d855cc2 100644 --- a/l10n/sv/settings.po +++ b/l10n/sv/settings.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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 20:40+0000\n" -"Last-Translator: medialabs\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -48,10 +48,6 @@ msgstr "Gruppen finns redan" msgid "Unable to add group" msgstr "Kan inte lägga till grupp" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Kunde inte aktivera appen." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "E-post sparad" @@ -98,31 +94,43 @@ msgstr "Kunde inte uppdatera appen." msgid "Update to {appversion}" msgstr "Uppdatera till {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Deaktivera" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Aktivera" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "Var god vänta..." -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Fel" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Uppdaterar..." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Fel uppstod vid uppdatering av appen" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Fel" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Uppdatera" + +#: js/apps.js:122 msgid "Updated" msgstr "Uppdaterad" @@ -375,10 +383,6 @@ msgstr "Se programsida på apps.owncloud.com" msgid "-licensed by " msgstr "-licensierad av " -#: templates/apps.php:43 -msgid "Update" -msgstr "Uppdatera" - #: templates/help.php:4 msgid "User Documentation" msgstr "Användardokumentation" diff --git a/l10n/sw_KE/lib.po b/l10n/sw_KE/lib.po index 4071236d9c2..8b725f24b81 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: sw_KE\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/sw_KE/settings.po b/l10n/sw_KE/settings.po index ebd60e3215e..efcf28d104a 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "" msgid "Unable to add group" msgstr "" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "" -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -145,27 +153,27 @@ msgstr "" msgid "Groups" msgstr "" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" @@ -369,10 +377,6 @@ msgstr "" msgid "-licensed by " msgstr "" -#: templates/apps.php:43 -msgid "Update" -msgstr "" - #: templates/help.php:4 msgid "User Documentation" msgstr "" diff --git a/l10n/ta_LK/lib.po b/l10n/ta_LK/lib.po index f8f3518b983..12cde4a741f 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: ta_LK\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "உதவி" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "தனிப்பட்ட" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "அமைப்புகள்" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "பயனாளர்" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "நிர்வாகம்" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "செயலி இயலுமைப்படுத்தப்படவில்லை" diff --git a/l10n/ta_LK/settings.po b/l10n/ta_LK/settings.po index 100e5e64d7b..6397e7f2b9f 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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "குழு ஏற்கனவே உள்ளது" msgid "Unable to add group" msgstr "குழுவை சேர்க்க முடியாது" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "செயலியை இயலுமைப்படுத்த முடியாது" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "மின்னஞ்சல் சேமிக்கப்பட்டது" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "இயலுமைப்ப" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "இயலுமைப்படுத்துக" -#: js/apps.js:60 +#: js/apps.js:63 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:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "வழு" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "இற்றைப்படுத்தல்" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -369,10 +377,6 @@ msgstr "apps.owncloud.com இல் செயலி பக்கத்தை ப msgid "-licensed by " msgstr "-அனுமதி பெற்ற " -#: templates/apps.php:43 -msgid "Update" -msgstr "இற்றைப்படுத்தல்" - #: templates/help.php:4 msgid "User Documentation" msgstr "" diff --git a/l10n/te/lib.po b/l10n/te/lib.po index 5094e97ebb3..601b9e7b00e 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: te\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "సహాయం" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "అమరికలు" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "వాడుకరులు" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/te/settings.po b/l10n/te/settings.po index ae043e953e5..13caf52b176 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "" msgid "Unable to add group" msgstr "" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "" -#: js/apps.js:60 +#: js/apps.js:63 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:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" + +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "పొరపాటు" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -145,27 +153,27 @@ msgstr "" msgid "Groups" msgstr "" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "తొలగించు" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" @@ -369,10 +377,6 @@ msgstr "" msgid "-licensed by " msgstr "" -#: templates/apps.php:43 -msgid "Update" -msgstr "" - #: templates/help.php:4 msgid "User Documentation" msgstr "" diff --git a/l10n/templates/core.pot b/l10n/templates/core.pot index b3486698ba2..48e097aef83 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-08-23 20:16-0400\n" +"POT-Creation-Date: 2013-08-25 19:18-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.pot b/l10n/templates/files.pot index d9bb4fa58bb..72f42768dbb 100644 --- a/l10n/templates/files.pot +++ b/l10n/templates/files.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-08-23 20:15-0400\n" +"POT-Creation-Date: 2013-08-25 19:18-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_encryption.pot b/l10n/templates/files_encryption.pot index 83f7a516481..455133b4394 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-08-23 20:15-0400\n" +"POT-Creation-Date: 2013-08-25 19:18-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 36cb92f6a27..a0988bcf744 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-08-23 20:16-0400\n" +"POT-Creation-Date: 2013-08-25 19:18-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_sharing.pot b/l10n/templates/files_sharing.pot index 2c26b0837ba..30e7521c201 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-08-23 20:16-0400\n" +"POT-Creation-Date: 2013-08-25 19:18-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_trashbin.pot b/l10n/templates/files_trashbin.pot index cdf9243a0e3..880f2dc9bbb 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-08-23 20:16-0400\n" +"POT-Creation-Date: 2013-08-25 19:18-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 cf5eabe266c..f1852eea337 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-08-23 20:16-0400\n" +"POT-Creation-Date: 2013-08-25 19:18-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 b6d518031b6..4fd3bc28f34 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-08-23 20:16-0400\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -18,27 +18,38 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=INTEGER; plural=EXPRESSION;\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version " +"of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -74,6 +85,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/templates/settings.pot b/l10n/templates/settings.pot index cca3d48e8ca..6c6ee1f16d3 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-08-23 20:16-0400\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -42,10 +42,6 @@ msgstr "" msgid "Unable to add group" msgstr "" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "" -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -368,10 +376,6 @@ msgid "" "-licensed by " msgstr "" -#: templates/apps.php:43 -msgid "Update" -msgstr "" - #: templates/help.php:4 msgid "User Documentation" msgstr "" diff --git a/l10n/templates/user_ldap.pot b/l10n/templates/user_ldap.pot index fceb7fdac59..d8312942248 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-08-23 20:16-0400\n" +"POT-Creation-Date: 2013-08-25 19:18-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 13bff53197b..91adffa0464 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-08-23 20:16-0400\n" +"POT-Creation-Date: 2013-08-25 19:18-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/lib.po b/l10n/th_TH/lib.po index c1f5a0bd746..e882a1fb160 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: th_TH\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "ช่วยเหลือ" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "ส่วนตัว" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "ตั้งค่า" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "ผู้ใช้งาน" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "ผู้ดูแล" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "แอพพลิเคชั่นดังกล่าวยังไม่ได้เปิดใช้งาน" diff --git a/l10n/th_TH/settings.po b/l10n/th_TH/settings.po index a95d52b2b8d..e08c6a264a2 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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "มีกลุ่มดังกล่าวอยู่ในระบ msgid "Unable to add group" msgstr "ไม่สามารถเพิ่มกลุ่มได้" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "ไม่สามารถเปิดใช้งานแอปได้" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "อีเมลถูกบันทึกแล้ว" @@ -92,31 +88,43 @@ msgstr "ไม่สามารถอัพเดทแอปฯ" msgid "Update to {appversion}" msgstr "อัพเดทไปเป็นรุ่น {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "ปิดใช้งาน" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "เปิดใช้งาน" -#: js/apps.js:60 +#: js/apps.js:63 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:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "กำลังอัพเดทข้อมูล..." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "เกิดข้อผิดพลาดในระหว่างการอัพเดทแอปฯ" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "ข้อผิดพลาด" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "อัพเดท" + +#: js/apps.js:122 msgid "Updated" msgstr "อัพเดทแล้ว" @@ -369,10 +377,6 @@ msgstr "ดูหน้าแอพพลิเคชั่นที่ apps.own msgid "-licensed by " msgstr "-ลิขสิทธิ์การใช้งานโดย " -#: templates/apps.php:43 -msgid "Update" -msgstr "อัพเดท" - #: templates/help.php:4 msgid "User Documentation" msgstr "เอกสารคู่มือการใช้งานสำหรับผู้ใช้งาน" diff --git a/l10n/tr/lib.po b/l10n/tr/lib.po index bcc4af7bb56..6c7882b928a 100644 --- a/l10n/tr/lib.po +++ b/l10n/tr/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -19,27 +19,38 @@ msgstr "" "Language: tr\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Yardım" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Kişisel" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Ayarlar" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Kullanıcılar" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Yönetici" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "\"%s\" yükseltme başarısız oldu." @@ -75,6 +86,62 @@ msgid "" "administrator." msgstr "Dosyaları ayrı ayrı, küçük parçalar halinde indirin ya da yöneticinizden yardım isteyin. " +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "Uygulama etkinleştirilmedi" diff --git a/l10n/tr/settings.po b/l10n/tr/settings.po index 3635611c1c6..91c06ffc83b 100644 --- a/l10n/tr/settings.po +++ b/l10n/tr/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-08-23 20:16-0400\n" -"PO-Revision-Date: 2013-08-22 22:10+0000\n" -"Last-Translator: DeeJaVu \n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" "Content-Type: text/plain; charset=UTF-8\n" @@ -45,10 +45,6 @@ msgstr "Grup zaten mevcut" msgid "Unable to add group" msgstr "Gruba eklenemiyor" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Uygulama devreye alınamadı" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "Eposta kaydedildi" @@ -95,31 +91,43 @@ msgstr "Uygulama güncellenemedi." msgid "Update to {appversion}" msgstr "{appversion} Güncelle" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Etkin değil" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Etkinleştir" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "Lütfen bekleyin...." -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Hata" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Güncelleniyor...." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Uygulama güncellenirken hata" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Hata" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Güncelleme" + +#: js/apps.js:122 msgid "Updated" msgstr "Güncellendi" @@ -372,10 +380,6 @@ msgstr "Uygulamanın sayfasına apps.owncloud.com adresinden bakın " msgid "-licensed by " msgstr "-lisanslayan " -#: templates/apps.php:43 -msgid "Update" -msgstr "Güncelleme" - #: templates/help.php:4 msgid "User Documentation" msgstr "Kullanıcı Belgelendirmesi" diff --git a/l10n/ug/lib.po b/l10n/ug/lib.po index 554072cebd9..3c833cb1694 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+0000\n" "Last-Translator: I Robot \n" "Language-Team: Uighur \n" "MIME-Version: 1.0\n" @@ -17,27 +17,38 @@ msgstr "" "Language: ug\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "ياردەم" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "شەخسىي" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "تەڭشەكلەر" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "ئىشلەتكۈچىلەر" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/ug/settings.po b/l10n/ug/settings.po index d9e44036def..ee0402683bd 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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+0000\n" "Last-Translator: I Robot \n" "Language-Team: Uighur \n" "MIME-Version: 1.0\n" @@ -42,10 +42,6 @@ msgstr "گۇرۇپپا مەۋجۇت" msgid "Unable to add group" msgstr "گۇرۇپپا قوشقىلى بولمايدۇ" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "ئەپنى قوزغىتالمىدى. " - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "تورخەت ساقلاندى" @@ -92,31 +88,43 @@ msgstr "ئەپنى يېڭىلىيالمايدۇ." msgid "Update to {appversion}" msgstr "{appversion} غا يېڭىلايدۇ" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "چەكلە" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "قوزغات" -#: js/apps.js:60 +#: js/apps.js:63 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:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "يېڭىلاۋاتىدۇ…" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "ئەپنى يېڭىلاۋاتقاندا خاتالىق كۆرۈلدى" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "خاتالىق" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "يېڭىلا" + +#: js/apps.js:122 msgid "Updated" msgstr "يېڭىلاندى" @@ -369,10 +377,6 @@ msgstr "" msgid "-licensed by " msgstr "" -#: templates/apps.php:43 -msgid "Update" -msgstr "يېڭىلا" - #: templates/help.php:4 msgid "User Documentation" msgstr "ئىشلەتكۈچى قوللانمىسى" diff --git a/l10n/uk/lib.po b/l10n/uk/lib.po index ef7e00a8e4b..cb5c568e21b 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: uk\n" "Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Допомога" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Особисте" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Налаштування" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Користувачі" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Адмін" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "Додаток не увімкнений" diff --git a/l10n/uk/settings.po b/l10n/uk/settings.po index 8ccc7cda793..8aaa83fd2a5 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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "Група вже існує" msgid "Unable to add group" msgstr "Не вдалося додати групу" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "Не вдалося активувати програму. " - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "Адресу збережено" @@ -92,31 +88,43 @@ msgstr "Не вдалося оновити програму. " msgid "Update to {appversion}" msgstr "Оновити до {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Вимкнути" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Включити" -#: js/apps.js:60 +#: js/apps.js:63 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:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Оновлюється..." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Помилка при оновленні програми" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Помилка" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Оновити" + +#: js/apps.js:122 msgid "Updated" msgstr "Оновлено" @@ -369,10 +377,6 @@ msgstr "Перегляньте сторінку програм на apps.ownclou msgid "-licensed by " msgstr "-licensed by " -#: templates/apps.php:43 -msgid "Update" -msgstr "Оновити" - #: templates/help.php:4 msgid "User Documentation" msgstr "Документація Користувача" diff --git a/l10n/ur_PK/lib.po b/l10n/ur_PK/lib.po index 89c294dd06e..ac5dc324885 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: ur_PK\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "مدد" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "ذاتی" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "سیٹینگز" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "یوزرز" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "ایڈمن" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/ur_PK/settings.po b/l10n/ur_PK/settings.po index d324d54bb06..256bc2a51e7 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "" msgid "Unable to add group" msgstr "" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "" -#: js/apps.js:60 +#: js/apps.js:63 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:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" + +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "ایرر" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -145,27 +153,27 @@ msgstr "" msgid "Groups" msgstr "" -#: js/users.js:95 templates/users.php:89 templates/users.php:124 +#: js/users.js:97 templates/users.php:89 templates/users.php:124 msgid "Group Admin" msgstr "" -#: js/users.js:115 templates/users.php:164 +#: js/users.js:120 templates/users.php:164 msgid "Delete" msgstr "" -#: js/users.js:269 +#: js/users.js:277 msgid "add group" msgstr "" -#: js/users.js:428 +#: js/users.js:436 msgid "A valid username must be provided" msgstr "" -#: js/users.js:429 js/users.js:435 js/users.js:450 +#: js/users.js:437 js/users.js:443 js/users.js:458 msgid "Error creating user" msgstr "" -#: js/users.js:434 +#: js/users.js:442 msgid "A valid password must be provided" msgstr "" @@ -369,10 +377,6 @@ msgstr "" msgid "-licensed by " msgstr "" -#: templates/apps.php:43 -msgid "Update" -msgstr "" - #: templates/help.php:4 msgid "User Documentation" msgstr "" diff --git a/l10n/vi/lib.po b/l10n/vi/lib.po index 9d03a4a361d..bce957d996a 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: vi\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "Giúp đỡ" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "Cá nhân" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "Cài đặt" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "Người dùng" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "Quản trị" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "Ứng dụng không được BẬT" diff --git a/l10n/vi/settings.po b/l10n/vi/settings.po index fd639946870..13a831ade8c 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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "Nhóm đã tồn tại" msgid "Unable to add group" msgstr "Không thể thêm nhóm" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "không thể kích hoạt ứng dụng." - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "Lưu email" @@ -92,31 +88,43 @@ msgstr "Không thể cập nhật ứng dụng" msgid "Update to {appversion}" msgstr "Cập nhật lên {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "Tắt" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "Bật" -#: js/apps.js:60 +#: js/apps.js:63 msgid "Please wait...." msgstr "Xin hãy đợi..." -#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 -msgid "Error" -msgstr "Lỗi" +#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "Đang cập nhật..." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "Lỗi khi cập nhật ứng dụng" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "Lỗi" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "Cập nhật" + +#: js/apps.js:122 msgid "Updated" msgstr "Đã cập nhật" @@ -369,10 +377,6 @@ msgstr "Xem nhiều ứng dụng hơn tại apps.owncloud.com" msgid "-licensed by " msgstr "-Giấy phép được cấp bởi " -#: templates/apps.php:43 -msgid "Update" -msgstr "Cập nhật" - #: templates/help.php:4 msgid "User Documentation" msgstr "Tài liệu người sử dụng" diff --git a/l10n/zh_CN.GB2312/lib.po b/l10n/zh_CN.GB2312/lib.po index d4a3f5836f4..26675677bdd 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: zh_CN.GB2312\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "帮助" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "私人" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "设置" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "用户" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "管理员" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "应用未启用" diff --git a/l10n/zh_CN.GB2312/settings.po b/l10n/zh_CN.GB2312/settings.po index 1779b0427de..16967e598a0 100644 --- a/l10n/zh_CN.GB2312/settings.po +++ b/l10n/zh_CN.GB2312/settings.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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -45,10 +45,6 @@ msgstr "群组已存在" msgid "Unable to add group" msgstr "未能添加群组" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "未能启用应用" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "Email 保存了" @@ -95,31 +91,43 @@ msgstr "应用无法升级。" msgid "Update to {appversion}" msgstr "升级至{appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "禁用" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "启用" -#: js/apps.js:60 +#: js/apps.js:63 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:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "升级中……" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "应用升级时出现错误" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "出错" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "更新" + +#: js/apps.js:122 msgid "Updated" msgstr "已升级" @@ -372,10 +380,6 @@ msgstr "在owncloud.com上查看应用程序" msgid "-licensed by " msgstr "授权协议 " -#: templates/apps.php:43 -msgid "Update" -msgstr "更新" - #: templates/help.php:4 msgid "User Documentation" msgstr "用户文档" diff --git a/l10n/zh_CN/lib.po b/l10n/zh_CN/lib.po index 3a6ed61af5f..28e19119a91 100644 --- a/l10n/zh_CN/lib.po +++ b/l10n/zh_CN/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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -19,27 +19,38 @@ msgstr "" "Language: zh_CN\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "帮助" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "个人" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "设置" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "用户" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "管理" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -75,6 +86,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "应用程序未启用" diff --git a/l10n/zh_CN/settings.po b/l10n/zh_CN/settings.po index 9dcf1c56847..7258511fab3 100644 --- a/l10n/zh_CN/settings.po +++ b/l10n/zh_CN/settings.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -46,10 +46,6 @@ msgstr "已存在该组" msgid "Unable to add group" msgstr "无法添加组" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "无法开启App" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "电子邮件已保存" @@ -96,31 +92,43 @@ msgstr "无法更新 app。" msgid "Update to {appversion}" msgstr "更新至 {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "禁用" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "开启" -#: js/apps.js:60 +#: js/apps.js:63 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:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "正在更新...." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "更新 app 时出错" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "错误" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "更新" + +#: js/apps.js:122 msgid "Updated" msgstr "已更新" @@ -373,10 +381,6 @@ msgstr "查看在 app.owncloud.com 的应用程序页面" msgid "-licensed by " msgstr "-核准: " -#: templates/apps.php:43 -msgid "Update" -msgstr "更新" - #: templates/help.php:4 msgid "User Documentation" msgstr "用户文档" diff --git a/l10n/zh_HK/lib.po b/l10n/zh_HK/lib.po index 037fcf13654..c6fa7c451a4 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -17,27 +17,38 @@ msgstr "" "Language: zh_HK\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "幫助" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "個人" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "設定" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "用戶" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "管理" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -73,6 +84,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "" diff --git a/l10n/zh_HK/settings.po b/l10n/zh_HK/settings.po index 23427516418..3d0d5b13265 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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -42,10 +42,6 @@ msgstr "" msgid "Unable to add group" msgstr "" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "" @@ -92,31 +88,43 @@ msgstr "" msgid "Update to {appversion}" msgstr "" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "" -#: js/apps.js:60 +#: js/apps.js:63 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:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" + +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:115 msgid "Updating...." msgstr "" -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "錯誤" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "" + +#: js/apps.js:122 msgid "Updated" msgstr "" @@ -369,10 +377,6 @@ msgstr "" msgid "-licensed by " msgstr "" -#: templates/apps.php:43 -msgid "Update" -msgstr "" - #: templates/help.php:4 msgid "User Documentation" msgstr "" diff --git a/l10n/zh_TW/lib.po b/l10n/zh_TW/lib.po index 51f5864b64c..3eef00c98ba 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-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 19:07+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -18,27 +18,38 @@ msgstr "" "Language: zh_TW\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: app.php:360 +#: app.php:239 +#, php-format +msgid "" +"App \"%s\" can't be installed because it is not compatible with this version" +" of ownCloud." +msgstr "" + +#: app.php:250 +msgid "No app name specified" +msgstr "" + +#: app.php:361 msgid "Help" msgstr "說明" -#: app.php:373 +#: app.php:374 msgid "Personal" msgstr "個人" -#: app.php:384 +#: app.php:385 msgid "Settings" msgstr "設定" -#: app.php:396 +#: app.php:397 msgid "Users" msgstr "使用者" -#: app.php:409 +#: app.php:410 msgid "Admin" msgstr "管理" -#: app.php:836 +#: app.php:837 #, php-format msgid "Failed to upgrade \"%s\"." msgstr "" @@ -74,6 +85,62 @@ msgid "" "administrator." msgstr "" +#: installer.php:63 +msgid "No source specified when installing app" +msgstr "" + +#: installer.php:70 +msgid "No href specified when installing app from http" +msgstr "" + +#: installer.php:75 +msgid "No path specified when installing app from local file" +msgstr "" + +#: installer.php:89 +#, php-format +msgid "Archives of type %s are not supported" +msgstr "" + +#: installer.php:103 +msgid "Failed to open archive when installing app" +msgstr "" + +#: installer.php:123 +msgid "App does not provide an info.xml file" +msgstr "" + +#: installer.php:129 +msgid "App can't be installed because of not allowed code in the App" +msgstr "" + +#: installer.php:138 +msgid "" +"App can't be installed because it is not compatible with this version of " +"ownCloud" +msgstr "" + +#: installer.php:144 +msgid "" +"App can't be installed because it contains the true tag " +"which is not allowed for non shipped apps" +msgstr "" + +#: installer.php:150 +msgid "" +"App can't be installed because the version in info.xml/version is not the " +"same as the version reported from the app store" +msgstr "" + +#: installer.php:160 +msgid "App directory already exists" +msgstr "" + +#: installer.php:173 +#, php-format +msgid "Can't create app folder. Please fix permissions. %s" +msgstr "" + #: json.php:28 msgid "Application is not enabled" msgstr "應用程式未啟用" diff --git a/l10n/zh_TW/settings.po b/l10n/zh_TW/settings.po index dd203a6e97a..aaf71f9d66f 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-08-21 08:11-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" +"POT-Creation-Date: 2013-08-25 19:18-0400\n" +"PO-Revision-Date: 2013-08-25 23:18+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" @@ -43,10 +43,6 @@ msgstr "群組已存在" msgid "Unable to add group" msgstr "群組增加失敗" -#: ajax/enableapp.php:11 -msgid "Could not enable app. " -msgstr "未能啟動此app" - #: ajax/lostpassword.php:12 msgid "Email saved" msgstr "Email已儲存" @@ -93,31 +89,43 @@ msgstr "無法更新應用程式" msgid "Update to {appversion}" msgstr "更新至 {appversion}" -#: js/apps.js:41 js/apps.js:81 +#: js/apps.js:41 js/apps.js:74 js/apps.js:100 msgid "Disable" msgstr "停用" -#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 msgid "Enable" msgstr "啟用" -#: js/apps.js:60 +#: js/apps.js:63 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:71 js/apps.js:72 js/apps.js:92 +msgid "Error while disabling app" +msgstr "" -#: js/apps.js:95 +#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +msgid "Error while enabling app" +msgstr "" + +#: js/apps.js:115 msgid "Updating...." msgstr "更新中..." -#: js/apps.js:98 +#: js/apps.js:118 msgid "Error while updating app" msgstr "更新應用程式錯誤" -#: js/apps.js:101 +#: js/apps.js:118 +msgid "Error" +msgstr "錯誤" + +#: js/apps.js:119 templates/apps.php:43 +msgid "Update" +msgstr "更新" + +#: js/apps.js:122 msgid "Updated" msgstr "已更新" @@ -370,10 +378,6 @@ msgstr "查看應用程式頁面於 apps.owncloud.com" msgid "-licensed by " msgstr "-核准: " -#: templates/apps.php:43 -msgid "Update" -msgstr "更新" - #: templates/help.php:4 msgid "User Documentation" msgstr "用戶說明文件" diff --git a/lib/l10n/eu.php b/lib/l10n/eu.php index 8f967314f4b..413819f4f94 100644 --- a/lib/l10n/eu.php +++ b/lib/l10n/eu.php @@ -40,13 +40,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Zure web zerbitzaria ez dago oraindik ongi konfiguratuta fitxategien sinkronizazioa egiteko, WebDAV interfazea ongi ez dagoela dirudi.", "Please double check the installation guides." => "Mesedez begiratu instalazio gidak.", "seconds ago" => "segundu", -"_%n minute ago_::_%n minutes ago_" => array("",""), -"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n minute ago_::_%n minutes ago_" => array("orain dela minutu %n","orain dela %n minutu"), +"_%n hour ago_::_%n hours ago_" => array("orain dela ordu %n","orain dela %n ordu"), "today" => "gaur", "yesterday" => "atzo", -"_%n day go_::_%n days ago_" => array("",""), +"_%n day go_::_%n days ago_" => array("orain dela egun %n","orain dela %n egun"), "last month" => "joan den hilabetean", -"_%n month ago_::_%n months ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("orain dela hilabete %n","orain dela %n hilabete"), "last year" => "joan den urtean", "years ago" => "urte", "Caused by:" => "Honek eraginda:", diff --git a/lib/l10n/it.php b/lib/l10n/it.php index e734fbdbb9b..983152a14ca 100644 --- a/lib/l10n/it.php +++ b/lib/l10n/it.php @@ -40,13 +40,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Il tuo server web non è configurato correttamente per consentire la sincronizzazione dei file poiché l'interfaccia WebDAV sembra essere danneggiata.", "Please double check the installation guides." => "Leggi attentamente le guide d'installazione.", "seconds ago" => "secondi fa", -"_%n minute ago_::_%n minutes ago_" => array("",""), -"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n minute ago_::_%n minutes ago_" => array("%n minuto fa","%n minuti fa"), +"_%n hour ago_::_%n hours ago_" => array("%n ora fa","%n ore fa"), "today" => "oggi", "yesterday" => "ieri", -"_%n day go_::_%n days ago_" => array("",""), +"_%n day go_::_%n days ago_" => array("%n giorno fa","%n giorni fa"), "last month" => "mese scorso", -"_%n month ago_::_%n months ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("%n mese fa","%n mesi fa"), "last year" => "anno scorso", "years ago" => "anni fa", "Caused by:" => "Causato da:", diff --git a/settings/l10n/ar.php b/settings/l10n/ar.php index 97fcc6fd182..378bd8dd91f 100644 --- a/settings/l10n/ar.php +++ b/settings/l10n/ar.php @@ -5,7 +5,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "تعذر تغيير اسم الحساب", "Group already exists" => "المجموعة موجودة مسبقاً", "Unable to add group" => "فشل إضافة المجموعة", -"Could not enable app. " => "فشل عملية تفعيل التطبيق", "Email saved" => "تم حفظ البريد الإلكتروني", "Invalid email" => "البريد الإلكتروني غير صالح", "Unable to delete group" => "فشل إزالة المجموعة", @@ -20,9 +19,10 @@ $TRANSLATIONS = array( "Disable" => "إيقاف", "Enable" => "تفعيل", "Please wait...." => "الرجاء الانتظار ...", -"Error" => "خطأ", "Updating...." => "جاري التحديث ...", "Error while updating app" => "حصل خطأ أثناء تحديث التطبيق", +"Error" => "خطأ", +"Update" => "حدث", "Updated" => "تم التحديث بنجاح", "Saving..." => "جاري الحفظ...", "deleted" => "تم الحذف", @@ -67,7 +67,6 @@ $TRANSLATIONS = array( "Select an App" => "إختر تطبيقاً", "See application page at apps.owncloud.com" => "راجع صفحة التطبيق على apps.owncloud.com", "-licensed by " => "-ترخيص من قبل ", -"Update" => "حدث", "User Documentation" => "كتاب توثيق المستخدم", "Administrator Documentation" => "كتاب توثيق المدير", "Online Documentation" => "توثيق متوفر على الشبكة", diff --git a/settings/l10n/bg_BG.php b/settings/l10n/bg_BG.php index 717cf6baae5..a15dfa19e46 100644 --- a/settings/l10n/bg_BG.php +++ b/settings/l10n/bg_BG.php @@ -13,8 +13,9 @@ $TRANSLATIONS = array( "Disable" => "Изключено", "Enable" => "Включено", "Please wait...." => "Моля почакайте....", -"Error" => "Грешка", "Updating...." => "Обновява се...", +"Error" => "Грешка", +"Update" => "Обновяване", "Updated" => "Обновено", "Saving..." => "Записване...", "deleted" => "изтрито", @@ -32,7 +33,6 @@ $TRANSLATIONS = array( "Add your App" => "Добавете Ваше приложение", "More Apps" => "Още приложения", "Select an App" => "Изберете приложение", -"Update" => "Обновяване", "User Documentation" => "Потребителска документация", "Administrator Documentation" => "Административна документация", "Online Documentation" => "Документация", diff --git a/settings/l10n/bn_BD.php b/settings/l10n/bn_BD.php index 6145c187ce3..55528b71cf1 100644 --- a/settings/l10n/bn_BD.php +++ b/settings/l10n/bn_BD.php @@ -4,7 +4,6 @@ $TRANSLATIONS = array( "Authentication error" => "অনুমোদন ঘটিত সমস্যা", "Group already exists" => "গোষ্ঠীটি পূর্ব থেকেই বিদ্যমান", "Unable to add group" => "গোষ্ঠী যোগ করা সম্ভব হলো না", -"Could not enable app. " => "অ্যপটি সক্রিয় করতে সক্ষম নয়।", "Email saved" => "ই-মেইল সংরক্ষন করা হয়েছে", "Invalid email" => "ই-মেইলটি সঠিক নয়", "Unable to delete group" => "গোষ্ঠী মুছে ফেলা সম্ভব হলো না ", @@ -17,6 +16,7 @@ $TRANSLATIONS = array( "Disable" => "নিষ্ক্রিয়", "Enable" => "সক্রিয় ", "Error" => "সমস্যা", +"Update" => "পরিবর্ধন", "Saving..." => "সংরক্ষণ করা হচ্ছে..", "undo" => "ক্রিয়া প্রত্যাহার", "Groups" => "গোষ্ঠীসমূহ", @@ -33,7 +33,6 @@ $TRANSLATIONS = array( "Select an App" => "অ্যাপ নির্বাচন করুন", "See application page at apps.owncloud.com" => "apps.owncloud.com এ অ্যাপ্লিকেসন পৃষ্ঠা দেখুন", "-licensed by " => "-লাইসেন্সধারী ", -"Update" => "পরিবর্ধন", "User Documentation" => "ব্যবহারকারী সহায়িকা", "Administrator Documentation" => "প্রশাসক সহায়িকা", "Online Documentation" => "অনলাইন সহায়িকা", diff --git a/settings/l10n/ca.php b/settings/l10n/ca.php index ab7004c2d31..f87d92ecbe1 100644 --- a/settings/l10n/ca.php +++ b/settings/l10n/ca.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "No s'ha pogut canviar el nom a mostrar", "Group already exists" => "El grup ja existeix", "Unable to add group" => "No es pot afegir el grup", -"Could not enable app. " => "No s'ha pogut activar l'apliació", "Email saved" => "S'ha desat el correu electrònic", "Invalid email" => "El correu electrònic no és vàlid", "Unable to delete group" => "No es pot eliminar el grup", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "Desactiva", "Enable" => "Habilita", "Please wait...." => "Espereu...", -"Error" => "Error", "Updating...." => "Actualitzant...", "Error while updating app" => "Error en actualitzar l'aplicació", +"Error" => "Error", +"Update" => "Actualitza", "Updated" => "Actualitzada", "Decrypting files... Please wait, this can take some time." => "Desencriptant fitxers... Espereu, això pot trigar una estona.", "Saving..." => "Desant...", @@ -79,7 +79,6 @@ $TRANSLATIONS = array( "Select an App" => "Seleccioneu una aplicació", "See application page at apps.owncloud.com" => "Mireu la pàgina d'aplicacions a apps.owncloud.com", "-licensed by " => "-propietat de ", -"Update" => "Actualitza", "User Documentation" => "Documentació d'usuari", "Administrator Documentation" => "Documentació d'administrador", "Online Documentation" => "Documentació en línia", diff --git a/settings/l10n/cs_CZ.php b/settings/l10n/cs_CZ.php index 99be4b73b0f..a6288e471fd 100644 --- a/settings/l10n/cs_CZ.php +++ b/settings/l10n/cs_CZ.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "Nelze změnit zobrazované jméno", "Group already exists" => "Skupina již existuje", "Unable to add group" => "Nelze přidat skupinu", -"Could not enable app. " => "Nelze povolit aplikaci.", "Email saved" => "E-mail uložen", "Invalid email" => "Neplatný e-mail", "Unable to delete group" => "Nelze smazat skupinu", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "Zakázat", "Enable" => "Povolit", "Please wait...." => "Čekejte prosím...", -"Error" => "Chyba", "Updating...." => "Aktualizuji...", "Error while updating app" => "Chyba při aktualizaci aplikace", +"Error" => "Chyba", +"Update" => "Aktualizovat", "Updated" => "Aktualizováno", "Decrypting files... Please wait, this can take some time." => "Probíhá odšifrování souborů... Prosíme počkejte, tato operace může trvat několik minut.", "Saving..." => "Ukládám...", @@ -79,7 +79,6 @@ $TRANSLATIONS = array( "Select an App" => "Vyberte aplikaci", "See application page at apps.owncloud.com" => "Více na stránce s aplikacemi na apps.owncloud.com", "-licensed by " => "-licencováno ", -"Update" => "Aktualizovat", "User Documentation" => "Uživatelská dokumentace", "Administrator Documentation" => "Dokumentace správce", "Online Documentation" => "Online dokumentace", diff --git a/settings/l10n/da.php b/settings/l10n/da.php index 2d549ed86bf..f352dd459f9 100644 --- a/settings/l10n/da.php +++ b/settings/l10n/da.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "Kunne ikke skifte skærmnavn", "Group already exists" => "Gruppen findes allerede", "Unable to add group" => "Gruppen kan ikke oprettes", -"Could not enable app. " => "Applikationen kunne ikke aktiveres.", "Email saved" => "Email adresse gemt", "Invalid email" => "Ugyldig email adresse", "Unable to delete group" => "Gruppen kan ikke slettes", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "Deaktiver", "Enable" => "Aktiver", "Please wait...." => "Vent venligst...", -"Error" => "Fejl", "Updating...." => "Opdaterer....", "Error while updating app" => "Der opstod en fejl under app opgraderingen", +"Error" => "Fejl", +"Update" => "Opdater", "Updated" => "Opdateret", "Decrypting files... Please wait, this can take some time." => "Dekryptere filer... Vent venligst, dette kan tage lang tid. ", "Saving..." => "Gemmer...", @@ -79,7 +79,6 @@ $TRANSLATIONS = array( "Select an App" => "Vælg en App", "See application page at apps.owncloud.com" => "Se applikationens side på apps.owncloud.com", "-licensed by " => "-licenseret af ", -"Update" => "Opdater", "User Documentation" => "Brugerdokumentation", "Administrator Documentation" => "Administrator Dokumentation", "Online Documentation" => "Online dokumentation", diff --git a/settings/l10n/de.php b/settings/l10n/de.php index 110eaaf52dd..2c30e51017c 100644 --- a/settings/l10n/de.php +++ b/settings/l10n/de.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "Das Ändern des Anzeigenamens ist nicht möglich", "Group already exists" => "Gruppe existiert bereits", "Unable to add group" => "Gruppe konnte nicht angelegt werden", -"Could not enable app. " => "App konnte nicht aktiviert werden.", "Email saved" => "E-Mail Adresse gespeichert", "Invalid email" => "Ungültige E-Mail Adresse", "Unable to delete group" => "Gruppe konnte nicht gelöscht werden", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "Deaktivieren", "Enable" => "Aktivieren", "Please wait...." => "Bitte warten...", -"Error" => "Fehler", "Updating...." => "Aktualisierung...", "Error while updating app" => "Fehler beim Aktualisieren der App", +"Error" => "Fehler", +"Update" => "Aktualisierung durchführen", "Updated" => "Aktualisiert", "Decrypting files... Please wait, this can take some time." => "Entschlüssle Dateien ... Bitte warten, denn dieser Vorgang kann einige Zeit beanspruchen.", "Saving..." => "Speichern...", @@ -79,7 +79,6 @@ $TRANSLATIONS = array( "Select an App" => "Wähle eine Anwendung aus", "See application page at apps.owncloud.com" => "Weitere Anwendungen findest Du auf apps.owncloud.com", "-licensed by " => "-lizenziert von ", -"Update" => "Aktualisierung durchführen", "User Documentation" => "Dokumentation für Benutzer", "Administrator Documentation" => "Dokumentation für Administratoren", "Online Documentation" => "Online-Dokumentation", diff --git a/settings/l10n/de_CH.php b/settings/l10n/de_CH.php index b4c6f98edc3..e3316a9b039 100644 --- a/settings/l10n/de_CH.php +++ b/settings/l10n/de_CH.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "Das Ändern des Anzeigenamens ist nicht möglich", "Group already exists" => "Die Gruppe existiert bereits", "Unable to add group" => "Die Gruppe konnte nicht angelegt werden", -"Could not enable app. " => "Die Anwendung konnte nicht aktiviert werden.", "Email saved" => "E-Mail-Adresse gespeichert", "Invalid email" => "Ungültige E-Mail-Adresse", "Unable to delete group" => "Die Gruppe konnte nicht gelöscht werden", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "Deaktivieren", "Enable" => "Aktivieren", "Please wait...." => "Bitte warten....", -"Error" => "Fehler", "Updating...." => "Update...", "Error while updating app" => "Es ist ein Fehler während des Updates aufgetreten", +"Error" => "Fehler", +"Update" => "Update durchführen", "Updated" => "Aktualisiert", "Saving..." => "Speichern...", "deleted" => "gelöscht", @@ -78,7 +78,6 @@ $TRANSLATIONS = array( "Select an App" => "Wählen Sie eine Anwendung aus", "See application page at apps.owncloud.com" => "Weitere Anwendungen finden Sie auf apps.owncloud.com", "-licensed by " => "-lizenziert von ", -"Update" => "Update durchführen", "User Documentation" => "Dokumentation für Benutzer", "Administrator Documentation" => "Dokumentation für Administratoren", "Online Documentation" => "Online-Dokumentation", diff --git a/settings/l10n/de_DE.php b/settings/l10n/de_DE.php index cbf4e01c6a2..5a76de7d2e6 100644 --- a/settings/l10n/de_DE.php +++ b/settings/l10n/de_DE.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "Das Ändern des Anzeigenamens ist nicht möglich", "Group already exists" => "Die Gruppe existiert bereits", "Unable to add group" => "Die Gruppe konnte nicht angelegt werden", -"Could not enable app. " => "Die Anwendung konnte nicht aktiviert werden.", "Email saved" => "E-Mail-Adresse gespeichert", "Invalid email" => "Ungültige E-Mail-Adresse", "Unable to delete group" => "Die Gruppe konnte nicht gelöscht werden", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "Deaktivieren", "Enable" => "Aktivieren", "Please wait...." => "Bitte warten....", -"Error" => "Fehler", "Updating...." => "Update...", "Error while updating app" => "Es ist ein Fehler während des Updates aufgetreten", +"Error" => "Fehler", +"Update" => "Update durchführen", "Updated" => "Aktualisiert", "Decrypting files... Please wait, this can take some time." => "Entschlüssle Dateien ... Bitte warten Sie, denn dieser Vorgang kann einige Zeit beanspruchen.", "Saving..." => "Speichern...", @@ -79,7 +79,6 @@ $TRANSLATIONS = array( "Select an App" => "Wählen Sie eine Anwendung aus", "See application page at apps.owncloud.com" => "Weitere Anwendungen finden Sie auf apps.owncloud.com", "-licensed by " => "-lizenziert von ", -"Update" => "Update durchführen", "User Documentation" => "Dokumentation für Benutzer", "Administrator Documentation" => "Dokumentation für Administratoren", "Online Documentation" => "Online-Dokumentation", diff --git a/settings/l10n/el.php b/settings/l10n/el.php index 2c4bdffb742..8daa9ccf8bc 100644 --- a/settings/l10n/el.php +++ b/settings/l10n/el.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "Δεν είναι δυνατή η αλλαγή του ονόματος εμφάνισης", "Group already exists" => "Η ομάδα υπάρχει ήδη", "Unable to add group" => "Αδυναμία προσθήκης ομάδας", -"Could not enable app. " => "Αδυναμία ενεργοποίησης εφαρμογής ", "Email saved" => "Το email αποθηκεύτηκε ", "Invalid email" => "Μη έγκυρο email", "Unable to delete group" => "Αδυναμία διαγραφής ομάδας", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "Απενεργοποίηση", "Enable" => "Ενεργοποίηση", "Please wait...." => "Παρακαλώ περιμένετε...", -"Error" => "Σφάλμα", "Updating...." => "Ενημέρωση...", "Error while updating app" => "Σφάλμα κατά την ενημέρωση της εφαρμογής", +"Error" => "Σφάλμα", +"Update" => "Ενημέρωση", "Updated" => "Ενημερώθηκε", "Saving..." => "Γίνεται αποθήκευση...", "deleted" => "διαγράφηκε", @@ -68,7 +68,6 @@ $TRANSLATIONS = array( "Select an App" => "Επιλέξτε μια Εφαρμογή", "See application page at apps.owncloud.com" => "Δείτε την σελίδα εφαρμογών στο apps.owncloud.com", "-licensed by " => "-άδεια από ", -"Update" => "Ενημέρωση", "User Documentation" => "Τεκμηρίωση Χρήστη", "Administrator Documentation" => "Τεκμηρίωση Διαχειριστή", "Online Documentation" => "Τεκμηρίωση στο Διαδίκτυο", diff --git a/settings/l10n/eo.php b/settings/l10n/eo.php index 693db4710de..6c3adf2ddcb 100644 --- a/settings/l10n/eo.php +++ b/settings/l10n/eo.php @@ -4,7 +4,6 @@ $TRANSLATIONS = array( "Authentication error" => "Aŭtentiga eraro", "Group already exists" => "La grupo jam ekzistas", "Unable to add group" => "Ne eblis aldoni la grupon", -"Could not enable app. " => "Ne eblis kapabligi la aplikaĵon.", "Email saved" => "La retpoŝtadreso konserviĝis", "Invalid email" => "Nevalida retpoŝtadreso", "Unable to delete group" => "Ne eblis forigi la grupon", @@ -17,6 +16,7 @@ $TRANSLATIONS = array( "Disable" => "Malkapabligi", "Enable" => "Kapabligi", "Error" => "Eraro", +"Update" => "Ĝisdatigi", "Saving..." => "Konservante...", "deleted" => "forigita", "undo" => "malfari", @@ -47,7 +47,6 @@ $TRANSLATIONS = array( "Select an App" => "Elekti aplikaĵon", "See application page at apps.owncloud.com" => "Vidu la paĝon pri aplikaĵoj ĉe apps.owncloud.com", "-licensed by " => "-permesilhavigita de ", -"Update" => "Ĝisdatigi", "User Documentation" => "Dokumentaro por uzantoj", "Administrator Documentation" => "Dokumentaro por administrantoj", "Online Documentation" => "Reta dokumentaro", diff --git a/settings/l10n/es.php b/settings/l10n/es.php index 9f214c54808..971500305da 100644 --- a/settings/l10n/es.php +++ b/settings/l10n/es.php @@ -3,10 +3,9 @@ $TRANSLATIONS = array( "Unable to load list from App Store" => "Imposible cargar la lista desde el App Store", "Authentication error" => "Error de autenticación", "Your display name has been changed." => "Su nombre fue cambiado.", -"Unable to change display name" => "No se pudo cambiar el nombre", +"Unable to change display name" => "No se pudo cambiar el nombre de usuario", "Group already exists" => "El grupo ya existe", "Unable to add group" => "No se pudo añadir el grupo", -"Could not enable app. " => "No puedo habilitar la aplicación.", "Email saved" => "E-mail guardado", "Invalid email" => "Correo no válido", "Unable to delete group" => "No se pudo eliminar el grupo", @@ -21,28 +20,29 @@ $TRANSLATIONS = array( "Disable" => "Desactivar", "Enable" => "Activar", "Please wait...." => "Espere, por favor....", -"Error" => "Error", "Updating...." => "Actualizando....", "Error while updating app" => "Error mientras se actualizaba la aplicación", +"Error" => "Error", +"Update" => "Actualizar", "Updated" => "Actualizado", "Saving..." => "Guardando...", -"deleted" => "borrado", +"deleted" => "Eliminado", "undo" => "deshacer", "Unable to remove user" => "No se puede eliminar el usuario", "Groups" => "Grupos", -"Group Admin" => "Grupo administrador", +"Group Admin" => "Administrador del Grupo", "Delete" => "Eliminar", "add group" => "añadir Grupo", -"A valid username must be provided" => "Se debe usar un nombre de usuario válido", +"A valid username must be provided" => "Se debe proporcionar un nombre de usuario válido", "Error creating user" => "Error al crear usuario", -"A valid password must be provided" => "Se debe usar una contraseña valida", +"A valid password must be provided" => "Se debe proporcionar una contraseña valida", "__language_name__" => "Castellano", "Security Warning" => "Advertencia de seguridad", "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." => "Su directorio de datos y sus archivos probablemente están accesibles desde Internet. El archivo .htaccess no está funcionando. Nosotros le sugerimos encarecidamente que configure su servidor web de modo que el directorio de datos ya no sea accesible o que mueva el directorio de datos fuera de la raíz de documentos del servidor web.", "Setup Warning" => "Advertencia de configuración", -"Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Su servidor web aún no está configurado adecuadamente para permitir sincronización de archivos ya que la interfaz WebDAV parece no estar funcionando.", +"Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Su servidor web aún no está configurado adecuadamente para permitir la sincronización de archivos ya que la interfaz WebDAV parece no estar funcionando.", "Please double check the installation guides." => "Por favor, vuelva a comprobar las guías de instalación.", -"Module 'fileinfo' missing" => "Modulo 'fileinfo' perdido", +"Module 'fileinfo' missing" => "Módulo 'fileinfo' perdido", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with mime-type detection." => "El modulo PHP 'fileinfo' no se encuentra. Le recomendamos encarecidamente que habilite este módulo para obtener mejores resultados con la detección del mime-type", "Locale not working" => "La configuración regional no está funcionando", "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." => "La configuración regional del sistema no se puede ajustar a %s. Esto significa que puede haber problemas con ciertos caracteres en los nombres de archivo. Le recomendamos instalar los paquetes necesarios en el sistema para soportar % s.", @@ -78,7 +78,6 @@ $TRANSLATIONS = array( "Select an App" => "Seleccionar una aplicación", "See application page at apps.owncloud.com" => "Echa un vistazo a la web de aplicaciones apps.owncloud.com", "-licensed by " => "-licenciado por ", -"Update" => "Actualizar", "User Documentation" => "Documentación de usuario", "Administrator Documentation" => "Documentación de adminstrador", "Online Documentation" => "Documentación en linea", diff --git a/settings/l10n/es_AR.php b/settings/l10n/es_AR.php index fdf0f75fe08..f4f50e5949a 100644 --- a/settings/l10n/es_AR.php +++ b/settings/l10n/es_AR.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "No fue posible cambiar el nombre mostrado", "Group already exists" => "El grupo ya existe", "Unable to add group" => "No fue posible añadir el grupo", -"Could not enable app. " => "No se pudo habilitar la App.", "Email saved" => "e-mail guardado", "Invalid email" => "El e-mail no es válido ", "Unable to delete group" => "No fue posible borrar el grupo", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "Desactivar", "Enable" => "Activar", "Please wait...." => "Por favor, esperá....", -"Error" => "Error", "Updating...." => "Actualizando....", "Error while updating app" => "Error al actualizar App", +"Error" => "Error", +"Update" => "Actualizar", "Updated" => "Actualizado", "Saving..." => "Guardando...", "deleted" => "borrado", @@ -70,7 +70,6 @@ $TRANSLATIONS = array( "Select an App" => "Elegí una App", "See application page at apps.owncloud.com" => "Mirá la web de aplicaciones apps.owncloud.com", "-licensed by " => "-licenciado por ", -"Update" => "Actualizar", "User Documentation" => "Documentación de Usuario", "Administrator Documentation" => "Documentación de Administrador", "Online Documentation" => "Documentación en línea", diff --git a/settings/l10n/et_EE.php b/settings/l10n/et_EE.php index a01c939f2dc..cbe0c838f54 100644 --- a/settings/l10n/et_EE.php +++ b/settings/l10n/et_EE.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "Ei saa muuta näidatavat nime", "Group already exists" => "Grupp on juba olemas", "Unable to add group" => "Keela grupi lisamine", -"Could not enable app. " => "Rakenduse sisselülitamine ebaõnnestus.", "Email saved" => "Kiri on salvestatud", "Invalid email" => "Vigane e-post", "Unable to delete group" => "Grupi kustutamine ebaõnnestus", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "Lülita välja", "Enable" => "Lülita sisse", "Please wait...." => "Palun oota...", -"Error" => "Viga", "Updating...." => "Uuendamine...", "Error while updating app" => "Viga rakenduse uuendamisel", +"Error" => "Viga", +"Update" => "Uuenda", "Updated" => "Uuendatud", "Decrypting files... Please wait, this can take some time." => "Dekrüpteerin faile... Palun oota, see võib võtta veidi aega.", "Saving..." => "Salvestamine...", @@ -79,7 +79,6 @@ $TRANSLATIONS = array( "Select an App" => "Vali programm", "See application page at apps.owncloud.com" => "Vaata rakenduste lehte aadressil apps.owncloud.com", "-licensed by " => "-litsenseeritud ", -"Update" => "Uuenda", "User Documentation" => "Kasutaja dokumentatsioon", "Administrator Documentation" => "Administraatori dokumentatsioon", "Online Documentation" => "Online dokumentatsioon", diff --git a/settings/l10n/eu.php b/settings/l10n/eu.php index 73ca1338a57..6491c7fc2dd 100644 --- a/settings/l10n/eu.php +++ b/settings/l10n/eu.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "Ezin izan da bistaratze izena aldatu", "Group already exists" => "Taldea dagoeneko existitzenda", "Unable to add group" => "Ezin izan da taldea gehitu", -"Could not enable app. " => "Ezin izan da aplikazioa gaitu.", "Email saved" => "Eposta gorde da", "Invalid email" => "Baliogabeko eposta", "Unable to delete group" => "Ezin izan da taldea ezabatu", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "Ez-gaitu", "Enable" => "Gaitu", "Please wait...." => "Itxoin mesedez...", -"Error" => "Errorea", "Updating...." => "Eguneratzen...", "Error while updating app" => "Errorea aplikazioa eguneratzen zen bitartean", +"Error" => "Errorea", +"Update" => "Eguneratu", "Updated" => "Eguneratuta", "Saving..." => "Gordetzen...", "deleted" => "ezabatuta", @@ -75,7 +75,6 @@ $TRANSLATIONS = array( "Select an App" => "Aukeratu programa bat", "See application page at apps.owncloud.com" => "Ikusi programen orria apps.owncloud.com en", "-licensed by " => "-lizentziatua ", -"Update" => "Eguneratu", "User Documentation" => "Erabiltzaile dokumentazioa", "Administrator Documentation" => "Administradore dokumentazioa", "Online Documentation" => "Online dokumentazioa", diff --git a/settings/l10n/fa.php b/settings/l10n/fa.php index 2fd79235549..74a49b9b05d 100644 --- a/settings/l10n/fa.php +++ b/settings/l10n/fa.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "امکان تغییر نام نمایشی شما وجود ندارد", "Group already exists" => "این گروه در حال حاضر موجود است", "Unable to add group" => "افزودن گروه امکان پذیر نیست", -"Could not enable app. " => "برنامه را نمی توان فعال ساخت.", "Email saved" => "ایمیل ذخیره شد", "Invalid email" => "ایمیل غیر قابل قبول", "Unable to delete group" => "حذف گروه امکان پذیر نیست", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "غیرفعال", "Enable" => "فعال", "Please wait...." => "لطفا صبر کنید ...", -"Error" => "خطا", "Updating...." => "در حال بروز رسانی...", "Error while updating app" => "خطا در هنگام بهنگام سازی برنامه", +"Error" => "خطا", +"Update" => "به روز رسانی", "Updated" => "بروز رسانی انجام شد", "Saving..." => "در حال ذخیره سازی...", "deleted" => "حذف شده", @@ -68,7 +68,6 @@ $TRANSLATIONS = array( "Select an App" => "یک برنامه انتخاب کنید", "See application page at apps.owncloud.com" => "صفحه این اٌپ را در apps.owncloud.com ببینید", "-licensed by " => "-مجاز از طرف ", -"Update" => "به روز رسانی", "User Documentation" => "مستندات کاربر", "Administrator Documentation" => "مستندات مدیر", "Online Documentation" => "مستندات آنلاین", diff --git a/settings/l10n/fi_FI.php b/settings/l10n/fi_FI.php index 5e80017d3de..9bc90fa63f1 100644 --- a/settings/l10n/fi_FI.php +++ b/settings/l10n/fi_FI.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "Näyttönimen muuttaminen epäonnistui", "Group already exists" => "Ryhmä on jo olemassa", "Unable to add group" => "Ryhmän lisäys epäonnistui", -"Could not enable app. " => "Sovelluksen käyttöönotto epäonnistui.", "Email saved" => "Sähköposti tallennettu", "Invalid email" => "Virheellinen sähköposti", "Unable to delete group" => "Ryhmän poisto epäonnistui", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "Poista käytöstä", "Enable" => "Käytä", "Please wait...." => "Odota hetki...", -"Error" => "Virhe", "Updating...." => "Päivitetään...", "Error while updating app" => "Virhe sovellusta päivittäessä", +"Error" => "Virhe", +"Update" => "Päivitä", "Updated" => "Päivitetty", "Decrypting files... Please wait, this can take some time." => "Puretaan tiedostojen salausta... Odota, tämä voi kestää jonkin aikaa.", "Saving..." => "Tallennetaan...", @@ -64,7 +64,6 @@ $TRANSLATIONS = array( "Select an App" => "Valitse sovellus", "See application page at apps.owncloud.com" => "Katso sovellussivu osoitteessa apps.owncloud.com", "-licensed by " => "-lisensoija ", -"Update" => "Päivitä", "User Documentation" => "Käyttäjäohjeistus", "Administrator Documentation" => "Ylläpito-ohjeistus", "Online Documentation" => "Verkko-ohjeistus", diff --git a/settings/l10n/fr.php b/settings/l10n/fr.php index 3e1f5ddb5ef..536cac96568 100644 --- a/settings/l10n/fr.php +++ b/settings/l10n/fr.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "Impossible de modifier le nom d'affichage", "Group already exists" => "Ce groupe existe déjà", "Unable to add group" => "Impossible d'ajouter le groupe", -"Could not enable app. " => "Impossible d'activer l'Application", "Email saved" => "E-mail sauvegardé", "Invalid email" => "E-mail invalide", "Unable to delete group" => "Impossible de supprimer le groupe", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "Désactiver", "Enable" => "Activer", "Please wait...." => "Veuillez patienter…", -"Error" => "Erreur", "Updating...." => "Mise à jour...", "Error while updating app" => "Erreur lors de la mise à jour de l'application", +"Error" => "Erreur", +"Update" => "Mettre à jour", "Updated" => "Mise à jour effectuée avec succès", "Saving..." => "Enregistrement...", "deleted" => "supprimé", @@ -68,7 +68,6 @@ $TRANSLATIONS = array( "Select an App" => "Sélectionner une Application", "See application page at apps.owncloud.com" => "Voir la page des applications à l'url apps.owncloud.com", "-licensed by " => "Distribué sous licence , par ", -"Update" => "Mettre à jour", "User Documentation" => "Documentation utilisateur", "Administrator Documentation" => "Documentation administrateur", "Online Documentation" => "Documentation en ligne", diff --git a/settings/l10n/gl.php b/settings/l10n/gl.php index 10f90c89b1a..fb51d793c69 100644 --- a/settings/l10n/gl.php +++ b/settings/l10n/gl.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "Non é posíbel cambiar o nome visíbel", "Group already exists" => "O grupo xa existe", "Unable to add group" => "Non é posíbel engadir o grupo", -"Could not enable app. " => "Non é posíbel activar o aplicativo.", "Email saved" => "Correo gardado", "Invalid email" => "Correo incorrecto", "Unable to delete group" => "Non é posíbel eliminar o grupo.", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "Desactivar", "Enable" => "Activar", "Please wait...." => "Agarde...", -"Error" => "Erro", "Updating...." => "Actualizando...", "Error while updating app" => "Produciuse un erro mentres actualizaba o aplicativo", +"Error" => "Erro", +"Update" => "Actualizar", "Updated" => "Actualizado", "Decrypting files... Please wait, this can take some time." => "Descifrando ficheiros... isto pode levar un anaco.", "Saving..." => "Gardando...", @@ -79,7 +79,6 @@ $TRANSLATIONS = array( "Select an App" => "Escolla un aplicativo", "See application page at apps.owncloud.com" => "Consulte a páxina do aplicativo en apps.owncloud.com", "-licensed by " => "-licenciado por", -"Update" => "Actualizar", "User Documentation" => "Documentación do usuario", "Administrator Documentation" => "Documentación do administrador", "Online Documentation" => "Documentación na Rede", diff --git a/settings/l10n/he.php b/settings/l10n/he.php index c8ef28a261b..5207a05de10 100644 --- a/settings/l10n/he.php +++ b/settings/l10n/he.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "לא ניתן לשנות את שם התצוגה", "Group already exists" => "הקבוצה כבר קיימת", "Unable to add group" => "לא ניתן להוסיף קבוצה", -"Could not enable app. " => "לא ניתן להפעיל את היישום", "Email saved" => "הדוא״ל נשמר", "Invalid email" => "דוא״ל לא חוקי", "Unable to delete group" => "לא ניתן למחוק את הקבוצה", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "בטל", "Enable" => "הפעלה", "Please wait...." => "נא להמתין…", -"Error" => "שגיאה", "Updating...." => "מתבצע עדכון…", "Error while updating app" => "אירעה שגיאה בעת עדכון היישום", +"Error" => "שגיאה", +"Update" => "עדכון", "Updated" => "מעודכן", "Saving..." => "שמירה…", "deleted" => "נמחק", @@ -66,7 +66,6 @@ $TRANSLATIONS = array( "Select an App" => "בחירת יישום", "See application page at apps.owncloud.com" => "צפה בעמוד הישום ב apps.owncloud.com", "-licensed by " => "ברישיון לטובת ", -"Update" => "עדכון", "User Documentation" => "תיעוד משתמש", "Administrator Documentation" => "תיעוד מנהלים", "Online Documentation" => "תיעוד מקוון", diff --git a/settings/l10n/hu_HU.php b/settings/l10n/hu_HU.php index 997c699ddbb..f5a469e3c26 100644 --- a/settings/l10n/hu_HU.php +++ b/settings/l10n/hu_HU.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "Nem sikerült megváltoztatni a megjelenítési nevet", "Group already exists" => "A csoport már létezik", "Unable to add group" => "A csoport nem hozható létre", -"Could not enable app. " => "A program nem aktiválható.", "Email saved" => "Email mentve", "Invalid email" => "Hibás email", "Unable to delete group" => "A csoport nem törölhető", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "Letiltás", "Enable" => "engedélyezve", "Please wait...." => "Kérem várjon...", -"Error" => "Hiba", "Updating...." => "Frissítés folyamatban...", "Error while updating app" => "Hiba történt a programfrissítés közben", +"Error" => "Hiba", +"Update" => "Frissítés", "Updated" => "Frissítve", "Saving..." => "Mentés...", "deleted" => "törölve", @@ -78,7 +78,6 @@ $TRANSLATIONS = array( "Select an App" => "Válasszon egy alkalmazást", "See application page at apps.owncloud.com" => "Lásd apps.owncloud.com, alkalmazások oldal", "-licensed by " => "-a jogtuladonos ", -"Update" => "Frissítés", "User Documentation" => "Felhasználói leírás", "Administrator Documentation" => "Üzemeltetői leírás", "Online Documentation" => "Online leírás", diff --git a/settings/l10n/ia.php b/settings/l10n/ia.php index 3f61ff8eefe..91df05ada3f 100644 --- a/settings/l10n/ia.php +++ b/settings/l10n/ia.php @@ -3,6 +3,7 @@ $TRANSLATIONS = array( "Language changed" => "Linguage cambiate", "Invalid request" => "Requesta invalide", "Error" => "Error", +"Update" => "Actualisar", "Groups" => "Gruppos", "Delete" => "Deler", "__language_name__" => "Interlingua", @@ -10,7 +11,6 @@ $TRANSLATIONS = array( "More" => "Plus", "Add your App" => "Adder tu application", "Select an App" => "Selectionar un app", -"Update" => "Actualisar", "Get the apps to sync your files" => "Obtene le apps (applicationes) pro synchronizar tu files", "Password" => "Contrasigno", "Unable to change your password" => "Non pote cambiar tu contrasigno", diff --git a/settings/l10n/id.php b/settings/l10n/id.php index abc19560d37..d64f5be3acf 100644 --- a/settings/l10n/id.php +++ b/settings/l10n/id.php @@ -5,7 +5,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "Tidak dapat mengubah nama tampilan", "Group already exists" => "Grup sudah ada", "Unable to add group" => "Tidak dapat menambah grup", -"Could not enable app. " => "Tidak dapat mengaktifkan aplikasi.", "Email saved" => "Email disimpan", "Invalid email" => "Email tidak valid", "Unable to delete group" => "Tidak dapat menghapus grup", @@ -20,9 +19,10 @@ $TRANSLATIONS = array( "Disable" => "Nonaktifkan", "Enable" => "aktifkan", "Please wait...." => "Mohon tunggu....", -"Error" => "Galat", "Updating...." => "Memperbarui....", "Error while updating app" => "Gagal ketika memperbarui aplikasi", +"Error" => "Galat", +"Update" => "Perbarui", "Updated" => "Diperbarui", "Saving..." => "Menyimpan...", "deleted" => "dihapus", @@ -67,7 +67,6 @@ $TRANSLATIONS = array( "Select an App" => "Pilih Aplikasi", "See application page at apps.owncloud.com" => "Lihat halaman aplikasi di apps.owncloud.com", "-licensed by " => "-dilisensikan oleh ", -"Update" => "Perbarui", "User Documentation" => "Dokumentasi Pengguna", "Administrator Documentation" => "Dokumentasi Administrator", "Online Documentation" => "Dokumentasi Online", diff --git a/settings/l10n/is.php b/settings/l10n/is.php index f803da8756d..ce95903df9a 100644 --- a/settings/l10n/is.php +++ b/settings/l10n/is.php @@ -4,7 +4,6 @@ $TRANSLATIONS = array( "Authentication error" => "Villa við auðkenningu", "Group already exists" => "Hópur er þegar til", "Unable to add group" => "Ekki tókst að bæta við hóp", -"Could not enable app. " => "Gat ekki virkjað forrit", "Email saved" => "Netfang vistað", "Invalid email" => "Ógilt netfang", "Unable to delete group" => "Ekki tókst að eyða hóp", @@ -17,8 +16,9 @@ $TRANSLATIONS = array( "Disable" => "Gera óvirkt", "Enable" => "Virkja", "Please wait...." => "Andartak....", -"Error" => "Villa", "Updating...." => "Uppfæri...", +"Error" => "Villa", +"Update" => "Uppfæra", "Updated" => "Uppfært", "Saving..." => "Er að vista ...", "deleted" => "eytt", @@ -37,7 +37,6 @@ $TRANSLATIONS = array( "Select an App" => "Veldu forrit", "See application page at apps.owncloud.com" => "Skoða síðu forrits hjá apps.owncloud.com", "-licensed by " => "-leyfi skráð af ", -"Update" => "Uppfæra", "User Documentation" => "Notenda handbók", "Administrator Documentation" => "Stjórnenda handbók", "Online Documentation" => "Handbók á netinu", diff --git a/settings/l10n/it.php b/settings/l10n/it.php index 003fc5c7bb1..0fda1309395 100644 --- a/settings/l10n/it.php +++ b/settings/l10n/it.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "Impossibile cambiare il nome visualizzato", "Group already exists" => "Il gruppo esiste già", "Unable to add group" => "Impossibile aggiungere il gruppo", -"Could not enable app. " => "Impossibile abilitare l'applicazione.", "Email saved" => "Email salvata", "Invalid email" => "Email non valida", "Unable to delete group" => "Impossibile eliminare il gruppo", @@ -21,10 +20,12 @@ $TRANSLATIONS = array( "Disable" => "Disabilita", "Enable" => "Abilita", "Please wait...." => "Attendere...", -"Error" => "Errore", "Updating...." => "Aggiornamento in corso...", "Error while updating app" => "Errore durante l'aggiornamento", +"Error" => "Errore", +"Update" => "Aggiorna", "Updated" => "Aggiornato", +"Decrypting files... Please wait, this can take some time." => "Decifratura dei file in corso... Attendi, potrebbe richiedere del tempo.", "Saving..." => "Salvataggio in corso...", "deleted" => "eliminati", "undo" => "annulla", @@ -78,7 +79,6 @@ $TRANSLATIONS = array( "Select an App" => "Seleziona un'applicazione", "See application page at apps.owncloud.com" => "Vedere la pagina dell'applicazione su apps.owncloud.com", "-licensed by " => "-licenziato da ", -"Update" => "Aggiorna", "User Documentation" => "Documentazione utente", "Administrator Documentation" => "Documentazione amministratore", "Online Documentation" => "Documentazione in linea", @@ -103,6 +103,9 @@ $TRANSLATIONS = array( "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Utilizza questo indirizzo per accedere ai tuoi file via WebDAV", "Encryption" => "Cifratura", +"The encryption app is no longer enabled, decrypt all your file" => "L'applicazione di cifratura non è più abilitata, decifra tutti i tuoi file", +"Log-in password" => "Password di accesso", +"Decrypt all Files" => "Decifra tutti i file", "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 6a090c4e01c..8bbdc222e43 100644 --- a/settings/l10n/ja_JP.php +++ b/settings/l10n/ja_JP.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "表示名を変更できません", "Group already exists" => "グループは既に存在しています", "Unable to add group" => "グループを追加できません", -"Could not enable app. " => "アプリを有効にできませんでした。", "Email saved" => "メールアドレスを保存しました", "Invalid email" => "無効なメールアドレス", "Unable to delete group" => "グループを削除できません", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "無効", "Enable" => "有効化", "Please wait...." => "しばらくお待ちください。", -"Error" => "エラー", "Updating...." => "更新中....", "Error while updating app" => "アプリの更新中にエラーが発生", +"Error" => "エラー", +"Update" => "更新", "Updated" => "更新済み", "Decrypting files... Please wait, this can take some time." => "ファイルを複合中... しばらくお待ちください、この処理には少し時間がかかるかもしれません。", "Saving..." => "保存中...", @@ -79,7 +79,6 @@ $TRANSLATIONS = array( "Select an App" => "アプリを選択してください", "See application page at apps.owncloud.com" => "apps.owncloud.com でアプリケーションのページを見てください", "-licensed by " => "-ライセンス: ", -"Update" => "更新", "User Documentation" => "ユーザドキュメント", "Administrator Documentation" => "管理者ドキュメント", "Online Documentation" => "オンラインドキュメント", diff --git a/settings/l10n/ka_GE.php b/settings/l10n/ka_GE.php index 6519f239b82..7a0157746be 100644 --- a/settings/l10n/ka_GE.php +++ b/settings/l10n/ka_GE.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "დისფლეის სახელის შეცვლა ვერ მოხერხდა", "Group already exists" => "ჯგუფი უკვე არსებობს", "Unable to add group" => "ჯგუფის დამატება ვერ მოხერხდა", -"Could not enable app. " => "ვერ მოხერხდა აპლიკაციის ჩართვა.", "Email saved" => "იმეილი შენახულია", "Invalid email" => "არასწორი იმეილი", "Unable to delete group" => "ჯგუფის წაშლა ვერ მოხერხდა", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "გამორთვა", "Enable" => "ჩართვა", "Please wait...." => "დაიცადეთ....", -"Error" => "შეცდომა", "Updating...." => "მიმდინარეობს განახლება....", "Error while updating app" => "შეცდომა აპლიკაციის განახლების დროს", +"Error" => "შეცდომა", +"Update" => "განახლება", "Updated" => "განახლებულია", "Saving..." => "შენახვა...", "deleted" => "წაშლილი", @@ -68,7 +68,6 @@ $TRANSLATIONS = array( "Select an App" => "აირჩიეთ აპლიკაცია", "See application page at apps.owncloud.com" => "ნახეთ აპლიკაციის გვერდი apps.owncloud.com –ზე", "-licensed by " => "-ლიცენსირებულია ", -"Update" => "განახლება", "User Documentation" => "მომხმარებლის დოკუმენტაცია", "Administrator Documentation" => "ადმინისტრატორის დოკუმენტაცია", "Online Documentation" => "ონლაინ დოკუმენტაცია", diff --git a/settings/l10n/ko.php b/settings/l10n/ko.php index 0f8f80537f1..5feb1d5694f 100644 --- a/settings/l10n/ko.php +++ b/settings/l10n/ko.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "표시 이름을 변경할 수 없음", "Group already exists" => "그룹이 이미 존재함", "Unable to add group" => "그룹을 추가할 수 없음", -"Could not enable app. " => "앱을 활성화할 수 없습니다.", "Email saved" => "이메일 저장됨", "Invalid email" => "잘못된 이메일 주소", "Unable to delete group" => "그룹을 삭제할 수 없음", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "비활성화", "Enable" => "사용함", "Please wait...." => "기다려 주십시오....", -"Error" => "오류", "Updating...." => "업데이트 중....", "Error while updating app" => "앱을 업데이트하는 중 오류 발생", +"Error" => "오류", +"Update" => "업데이트", "Updated" => "업데이트됨", "Saving..." => "저장 중...", "deleted" => "삭제됨", @@ -68,7 +68,6 @@ $TRANSLATIONS = array( "Select an App" => "앱 선택", "See application page at apps.owncloud.com" => "apps.owncloud.com에 있는 앱 페이지를 참고하십시오", "-licensed by " => "-라이선스됨: ", -"Update" => "업데이트", "User Documentation" => "사용자 문서", "Administrator Documentation" => "관리자 문서", "Online Documentation" => "온라인 문서", diff --git a/settings/l10n/ku_IQ.php b/settings/l10n/ku_IQ.php index 956df725a77..4549dcea52c 100644 --- a/settings/l10n/ku_IQ.php +++ b/settings/l10n/ku_IQ.php @@ -2,8 +2,8 @@ $TRANSLATIONS = array( "Enable" => "چالاککردن", "Error" => "هه‌ڵه", -"Saving..." => "پاشکه‌وتده‌کات...", "Update" => "نوێکردنه‌وه", +"Saving..." => "پاشکه‌وتده‌کات...", "Password" => "وشەی تێپەربو", "New password" => "وشەی نهێنی نوێ", "Email" => "ئیمه‌یل", diff --git a/settings/l10n/lb.php b/settings/l10n/lb.php index 9d3213b1735..b80d834db97 100644 --- a/settings/l10n/lb.php +++ b/settings/l10n/lb.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "Unmeiglech den Nickname ze änneren.", "Group already exists" => "Group existeiert schon.", "Unable to add group" => "Onmeiglech Grupp beizefügen.", -"Could not enable app. " => "Kann App net aktiveieren.", "Email saved" => "E-mail gespäichert", "Invalid email" => "Ongülteg e-mail", "Unable to delete group" => "Onmeiglech d'Grup ze läschen.", diff --git a/settings/l10n/lt_LT.php b/settings/l10n/lt_LT.php index 016a4fe6472..da0fb8f56b5 100644 --- a/settings/l10n/lt_LT.php +++ b/settings/l10n/lt_LT.php @@ -4,7 +4,6 @@ $TRANSLATIONS = array( "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", @@ -18,9 +17,10 @@ $TRANSLATIONS = array( "Disable" => "Išjungti", "Enable" => "Įjungti", "Please wait...." => "Prašome palaukti...", -"Error" => "Klaida", "Updating...." => "Atnaujinama...", "Error while updating app" => "Įvyko klaida atnaujinant programą", +"Error" => "Klaida", +"Update" => "Atnaujinti", "Updated" => "Atnaujinta", "Saving..." => "Saugoma...", "deleted" => "ištrinta", @@ -49,7 +49,6 @@ $TRANSLATIONS = array( "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", diff --git a/settings/l10n/lv.php b/settings/l10n/lv.php index f492c168bf7..66e34f11e6c 100644 --- a/settings/l10n/lv.php +++ b/settings/l10n/lv.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "Nevarēja mainīt redzamo vārdu", "Group already exists" => "Grupa jau eksistē", "Unable to add group" => "Nevar pievienot grupu", -"Could not enable app. " => "Nevarēja aktivēt lietotni.", "Email saved" => "E-pasts tika saglabāts", "Invalid email" => "Nederīgs epasts", "Unable to delete group" => "Nevar izdzēst grupu", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "Deaktivēt", "Enable" => "Aktivēt", "Please wait...." => "Lūdzu, uzgaidiet....", -"Error" => "Kļūda", "Updating...." => "Atjaunina....", "Error while updating app" => "Kļūda, atjauninot lietotni", +"Error" => "Kļūda", +"Update" => "Atjaunināt", "Updated" => "Atjaunināta", "Decrypting files... Please wait, this can take some time." => "Atšifrēju failus... Uzgaidiet tas var ilgt kādu laiku.", "Saving..." => "Saglabā...", @@ -79,7 +79,6 @@ $TRANSLATIONS = array( "Select an App" => "Izvēlies lietotni", "See application page at apps.owncloud.com" => "Apskati lietotņu lapu — apps.owncloud.com", "-licensed by " => "-licencēts no ", -"Update" => "Atjaunināt", "User Documentation" => "Lietotāja dokumentācija", "Administrator Documentation" => "Administratora dokumentācija", "Online Documentation" => "Tiešsaistes dokumentācija", diff --git a/settings/l10n/mk.php b/settings/l10n/mk.php index 9d74b69ccd1..42d83115647 100644 --- a/settings/l10n/mk.php +++ b/settings/l10n/mk.php @@ -4,7 +4,6 @@ $TRANSLATIONS = array( "Authentication error" => "Грешка во автентикација", "Group already exists" => "Групата веќе постои", "Unable to add group" => "Неможе да додадам група", -"Could not enable app. " => "Неможе да овозможам апликација.", "Email saved" => "Електронската пошта е снимена", "Invalid email" => "Неисправна електронска пошта", "Unable to delete group" => "Неможе да избришам група", @@ -17,6 +16,7 @@ $TRANSLATIONS = array( "Disable" => "Оневозможи", "Enable" => "Овозможи", "Error" => "Грешка", +"Update" => "Ажурирај", "Saving..." => "Снимам...", "undo" => "врати", "Groups" => "Групи", @@ -35,7 +35,6 @@ $TRANSLATIONS = array( "Select an App" => "Избери аппликација", "See application page at apps.owncloud.com" => "Види ја страницата со апликации на apps.owncloud.com", "-licensed by " => "-лиценцирано од ", -"Update" => "Ажурирај", "User Documentation" => "Корисничка документација", "Administrator Documentation" => "Администраторска документација", "Online Documentation" => "Документација на интернет", diff --git a/settings/l10n/ms_MY.php b/settings/l10n/ms_MY.php index a65afb8ada1..3d14df3d657 100644 --- a/settings/l10n/ms_MY.php +++ b/settings/l10n/ms_MY.php @@ -8,6 +8,7 @@ $TRANSLATIONS = array( "Disable" => "Nyahaktif", "Enable" => "Aktif", "Error" => "Ralat", +"Update" => "Kemaskini", "Saving..." => "Simpan...", "deleted" => "dihapus", "Groups" => "Kumpulan", @@ -20,7 +21,6 @@ $TRANSLATIONS = array( "Add your App" => "Tambah apps anda", "Select an App" => "Pilih aplikasi", "See application page at apps.owncloud.com" => "Lihat halaman applikasi di apps.owncloud.com", -"Update" => "Kemaskini", "Password" => "Kata laluan", "Unable to change your password" => "Gagal mengubah kata laluan anda ", "Current password" => "Kata laluan semasa", diff --git a/settings/l10n/nb_NO.php b/settings/l10n/nb_NO.php index a31c6e0cd7f..e017e965e98 100644 --- a/settings/l10n/nb_NO.php +++ b/settings/l10n/nb_NO.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "Kunne ikke endre visningsnavn", "Group already exists" => "Gruppen finnes allerede", "Unable to add group" => "Kan ikke legge til gruppe", -"Could not enable app. " => "Kan ikke aktivere app.", "Email saved" => "Epost lagret", "Invalid email" => "Ugyldig epost", "Unable to delete group" => "Kan ikke slette gruppe", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "Slå avBehandle ", "Enable" => "Aktiver", "Please wait...." => "Vennligst vent...", -"Error" => "Feil", "Updating...." => "Oppdaterer...", "Error while updating app" => "Feil ved oppdatering av app", +"Error" => "Feil", +"Update" => "Oppdater", "Updated" => "Oppdatert", "Saving..." => "Lagrer...", "deleted" => "slettet", @@ -68,7 +68,6 @@ $TRANSLATIONS = array( "Select an App" => "Velg en app", "See application page at apps.owncloud.com" => "Se applikasjonens side på apps.owncloud.org", "-licensed by " => "-lisensiert av ", -"Update" => "Oppdater", "User Documentation" => "Brukerdokumentasjon", "Administrator Documentation" => "Administratordokumentasjon", "Online Documentation" => "Online dokumentasjon", diff --git a/settings/l10n/nl.php b/settings/l10n/nl.php index c32f616c0e0..d3e4e0e99ac 100644 --- a/settings/l10n/nl.php +++ b/settings/l10n/nl.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "Kon de weergavenaam niet wijzigen", "Group already exists" => "Groep bestaat al", "Unable to add group" => "Niet in staat om groep toe te voegen", -"Could not enable app. " => "Kan de app. niet activeren", "Email saved" => "E-mail bewaard", "Invalid email" => "Ongeldige e-mail", "Unable to delete group" => "Niet in staat om groep te verwijderen", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "Uitschakelen", "Enable" => "Activeer", "Please wait...." => "Even geduld aub....", -"Error" => "Fout", "Updating...." => "Bijwerken....", "Error while updating app" => "Fout bij bijwerken app", +"Error" => "Fout", +"Update" => "Bijwerken", "Updated" => "Bijgewerkt", "Decrypting files... Please wait, this can take some time." => "Bestanden worden gedecodeerd... Even geduld alstublieft, dit kan even duren.", "Saving..." => "Opslaan", @@ -79,7 +79,6 @@ $TRANSLATIONS = array( "Select an App" => "Selecteer een app", "See application page at apps.owncloud.com" => "Zie de applicatiepagina op apps.owncloud.com", "-licensed by " => "-Gelicenseerd door ", -"Update" => "Bijwerken", "User Documentation" => "Gebruikersdocumentatie", "Administrator Documentation" => "Beheerdersdocumentatie", "Online Documentation" => "Online documentatie", diff --git a/settings/l10n/nn_NO.php b/settings/l10n/nn_NO.php index 5c7a0756d53..438e21d5bcf 100644 --- a/settings/l10n/nn_NO.php +++ b/settings/l10n/nn_NO.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "Klarte ikkje endra visingsnamnet", "Group already exists" => "Gruppa finst allereie", "Unable to add group" => "Klarte ikkje leggja til gruppa", -"Could not enable app. " => "Klarte ikkje slå på programmet.", "Email saved" => "E-postadresse lagra", "Invalid email" => "Ugyldig e-postadresse", "Unable to delete group" => "Klarte ikkje å sletta gruppa", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "Slå av", "Enable" => "Slå på", "Please wait...." => "Ver venleg og vent …", -"Error" => "Feil", "Updating...." => "Oppdaterer …", "Error while updating app" => "Feil ved oppdatering av app", +"Error" => "Feil", +"Update" => "Oppdater", "Updated" => "Oppdatert", "Saving..." => "Lagrar …", "deleted" => "sletta", @@ -68,7 +68,6 @@ $TRANSLATIONS = array( "Select an App" => "Vel eit program", "See application page at apps.owncloud.com" => "Sjå programsida på apps.owncloud.com", "-licensed by " => "Lisensiert under av ", -"Update" => "Oppdater", "User Documentation" => "Brukardokumentasjon", "Administrator Documentation" => "Administratordokumentasjon", "Online Documentation" => "Dokumentasjon på nett", diff --git a/settings/l10n/oc.php b/settings/l10n/oc.php index bcc8d2d0337..7606ac5992f 100644 --- a/settings/l10n/oc.php +++ b/settings/l10n/oc.php @@ -4,7 +4,6 @@ $TRANSLATIONS = array( "Authentication error" => "Error d'autentificacion", "Group already exists" => "Lo grop existís ja", "Unable to add group" => "Pas capable d'apondre un grop", -"Could not enable app. " => "Pòt pas activar app. ", "Email saved" => "Corrièl enregistrat", "Invalid email" => "Corrièl incorrècte", "Unable to delete group" => "Pas capable d'escafar un grop", diff --git a/settings/l10n/pl.php b/settings/l10n/pl.php index eb8422631f9..1d8619de7e7 100644 --- a/settings/l10n/pl.php +++ b/settings/l10n/pl.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "Nie można zmienić wyświetlanej nazwy", "Group already exists" => "Grupa już istnieje", "Unable to add group" => "Nie można dodać grupy", -"Could not enable app. " => "Nie można włączyć aplikacji.", "Email saved" => "E-mail zapisany", "Invalid email" => "Nieprawidłowy e-mail", "Unable to delete group" => "Nie można usunąć grupy", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "Wyłącz", "Enable" => "Włącz", "Please wait...." => "Proszę czekać...", -"Error" => "Błąd", "Updating...." => "Aktualizacja w toku...", "Error while updating app" => "Błąd podczas aktualizacji aplikacji", +"Error" => "Błąd", +"Update" => "Aktualizuj", "Updated" => "Zaktualizowano", "Saving..." => "Zapisywanie...", "deleted" => "usunięto", @@ -71,7 +71,6 @@ $TRANSLATIONS = array( "Select an App" => "Zaznacz aplikację", "See application page at apps.owncloud.com" => "Zobacz stronę aplikacji na apps.owncloud.com", "-licensed by " => "-licencjonowane przez ", -"Update" => "Aktualizuj", "User Documentation" => "Dokumentacja użytkownika", "Administrator Documentation" => "Dokumentacja administratora", "Online Documentation" => "Dokumentacja online", diff --git a/settings/l10n/pt_BR.php b/settings/l10n/pt_BR.php index dfd4649772c..78fad69c22e 100644 --- a/settings/l10n/pt_BR.php +++ b/settings/l10n/pt_BR.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "Impossível alterar nome de exibição", "Group already exists" => "Grupo já existe", "Unable to add group" => "Não foi possível adicionar grupo", -"Could not enable app. " => "Não foi possível habilitar aplicativo.", "Email saved" => "E-mail salvo", "Invalid email" => "E-mail inválido", "Unable to delete group" => "Não foi possível remover grupo", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "Desabilitar", "Enable" => "Habilitar", "Please wait...." => "Por favor, aguarde...", -"Error" => "Erro", "Updating...." => "Atualizando...", "Error while updating app" => "Erro ao atualizar aplicativo", +"Error" => "Erro", +"Update" => "Atualizar", "Updated" => "Atualizado", "Decrypting files... Please wait, this can take some time." => "Decriptando arquivos... Por favor aguarde, isso pode levar algum tempo.", "Saving..." => "Salvando...", @@ -79,7 +79,6 @@ $TRANSLATIONS = array( "Select an App" => "Selecione um Aplicativo", "See application page at apps.owncloud.com" => "Ver página do aplicativo em apps.owncloud.com", "-licensed by " => "-licenciado por ", -"Update" => "Atualizar", "User Documentation" => "Documentação de Usuário", "Administrator Documentation" => "Documentação de Administrador", "Online Documentation" => "Documentação Online", diff --git a/settings/l10n/pt_PT.php b/settings/l10n/pt_PT.php index 2962fb7f5ab..d72bca799dd 100644 --- a/settings/l10n/pt_PT.php +++ b/settings/l10n/pt_PT.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "Não foi possível alterar o nome", "Group already exists" => "O grupo já existe", "Unable to add group" => "Impossível acrescentar o grupo", -"Could not enable app. " => "Não foi possível activar a app.", "Email saved" => "Email guardado", "Invalid email" => "Email inválido", "Unable to delete group" => "Impossível apagar grupo", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "Desactivar", "Enable" => "Activar", "Please wait...." => "Por favor aguarde...", -"Error" => "Erro", "Updating...." => "A Actualizar...", "Error while updating app" => "Erro enquanto actualizava a aplicação", +"Error" => "Erro", +"Update" => "Actualizar", "Updated" => "Actualizado", "Saving..." => "A guardar...", "deleted" => "apagado", @@ -78,7 +78,6 @@ $TRANSLATIONS = array( "Select an App" => "Selecione uma aplicação", "See application page at apps.owncloud.com" => "Ver a página da aplicação em apps.owncloud.com", "-licensed by " => "-licenciado por ", -"Update" => "Actualizar", "User Documentation" => "Documentação de Utilizador", "Administrator Documentation" => "Documentação de administrador.", "Online Documentation" => "Documentação Online", diff --git a/settings/l10n/ro.php b/settings/l10n/ro.php index 839ddf645f8..b0735af4aab 100644 --- a/settings/l10n/ro.php +++ b/settings/l10n/ro.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "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.", "Email saved" => "E-mail salvat", "Invalid email" => "E-mail nevalid", "Unable to delete group" => "Nu s-a putut șterge grupul", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "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", +"Error" => "Eroare", +"Update" => "Actualizare", "Updated" => "Actualizat", "Saving..." => "Se salvează...", "deleted" => "șters", @@ -67,7 +67,6 @@ $TRANSLATIONS = array( "Select an App" => "Selectează o aplicație", "See application page at apps.owncloud.com" => "Vizualizează pagina applicației pe apps.owncloud.com", "-licensed by " => "-licențiat ", -"Update" => "Actualizare", "User Documentation" => "Documentație utilizator", "Administrator Documentation" => "Documentație administrator", "Online Documentation" => "Documentație online", diff --git a/settings/l10n/ru.php b/settings/l10n/ru.php index 16f8f67481e..3d05f6bb08d 100644 --- a/settings/l10n/ru.php +++ b/settings/l10n/ru.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "Невозможно изменить отображаемое имя", "Group already exists" => "Группа уже существует", "Unable to add group" => "Невозможно добавить группу", -"Could not enable app. " => "Не удалось включить приложение.", "Email saved" => "Email сохранен", "Invalid email" => "Неправильный Email", "Unable to delete group" => "Невозможно удалить группу", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "Выключить", "Enable" => "Включить", "Please wait...." => "Подождите...", -"Error" => "Ошибка", "Updating...." => "Обновление...", "Error while updating app" => "Ошибка при обновлении приложения", +"Error" => "Ошибка", +"Update" => "Обновить", "Updated" => "Обновлено", "Saving..." => "Сохранение...", "deleted" => "удален", @@ -78,7 +78,6 @@ $TRANSLATIONS = array( "Select an App" => "Выберите приложение", "See application page at apps.owncloud.com" => "Смотрите дополнения на apps.owncloud.com", "-licensed by " => " лицензия. Автор ", -"Update" => "Обновить", "User Documentation" => "Пользовательская документация", "Administrator Documentation" => "Документация администратора", "Online Documentation" => "Online документация", diff --git a/settings/l10n/si_LK.php b/settings/l10n/si_LK.php index c45d67daa74..8c90d1c9952 100644 --- a/settings/l10n/si_LK.php +++ b/settings/l10n/si_LK.php @@ -3,7 +3,6 @@ $TRANSLATIONS = array( "Authentication error" => "සත්‍යාපන දෝෂයක්", "Group already exists" => "කණ්ඩායම දැනටමත් තිබේ", "Unable to add group" => "කාණඩයක් එක් කළ නොහැකි විය", -"Could not enable app. " => "යෙදුම සක්‍රීය කළ නොහැකි විය.", "Email saved" => "වි-තැපෑල සුරකින ලදී", "Invalid email" => "අවලංගු වි-තැපෑල", "Unable to delete group" => "කණ්ඩායම මැකීමට නොහැක", @@ -15,6 +14,7 @@ $TRANSLATIONS = array( "Disable" => "අක්‍රිය කරන්න", "Enable" => "සක්‍රිය කරන්න", "Error" => "දෝෂයක්", +"Update" => "යාවත්කාල කිරීම", "Saving..." => "සුරැකෙමින් පවතී...", "undo" => "නිෂ්ප්‍රභ කරන්න", "Groups" => "කණ්ඩායම්", @@ -34,7 +34,6 @@ $TRANSLATIONS = array( "Add your App" => "යෙදුමක් එක් කිරීම", "More Apps" => "තවත් යෙදුම්", "Select an App" => "යෙදුමක් තොරන්න", -"Update" => "යාවත්කාල කිරීම", "Password" => "මුර පදය", "Your password was changed" => "ඔබගේ මුර පදය වෙනස් කෙරුණි", "Unable to change your password" => "මුර පදය වෙනස් කළ නොහැකි විය", diff --git a/settings/l10n/sk_SK.php b/settings/l10n/sk_SK.php index bd7cdd46951..0d22ad10741 100644 --- a/settings/l10n/sk_SK.php +++ b/settings/l10n/sk_SK.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "Nemožno zmeniť zobrazované meno", "Group already exists" => "Skupina už existuje", "Unable to add group" => "Nie je možné pridať skupinu", -"Could not enable app. " => "Nie je možné zapnúť aplikáciu.", "Email saved" => "Email uložený", "Invalid email" => "Neplatný email", "Unable to delete group" => "Nie je možné odstrániť skupinu", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "Zakázať", "Enable" => "Zapnúť", "Please wait...." => "Čakajte prosím...", -"Error" => "Chyba", "Updating...." => "Aktualizujem...", "Error while updating app" => "chyba pri aktualizácii aplikácie", +"Error" => "Chyba", +"Update" => "Aktualizovať", "Updated" => "Aktualizované", "Decrypting files... Please wait, this can take some time." => "Dešifrujem súbory ... Počkajte prosím, môže to chvíľu trvať.", "Saving..." => "Ukladám...", @@ -79,7 +79,6 @@ $TRANSLATIONS = array( "Select an App" => "Vyberte aplikáciu", "See application page at apps.owncloud.com" => "Pozrite si stránku aplikácií na apps.owncloud.com", "-licensed by " => "-licencované ", -"Update" => "Aktualizovať", "User Documentation" => "Príručka používateľa", "Administrator Documentation" => "Príručka administrátora", "Online Documentation" => "Online príručka", diff --git a/settings/l10n/sl.php b/settings/l10n/sl.php index eaf975048ce..63477b0b9fe 100644 --- a/settings/l10n/sl.php +++ b/settings/l10n/sl.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "Prikazanega imena ni mogoče spremeniti.", "Group already exists" => "Skupina že obstaja", "Unable to add group" => "Skupine ni mogoče dodati", -"Could not enable app. " => "Programa ni mogoče omogočiti.", "Email saved" => "Elektronski naslov je shranjen", "Invalid email" => "Neveljaven elektronski naslov", "Unable to delete group" => "Skupine ni mogoče izbrisati", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "Onemogoči", "Enable" => "Omogoči", "Please wait...." => "Počakajte ...", -"Error" => "Napaka", "Updating...." => "Poteka posodabljanje ...", "Error while updating app" => "Prišlo je do napake med posodabljanjem programa.", +"Error" => "Napaka", +"Update" => "Posodobi", "Updated" => "Posodobljeno", "Saving..." => "Poteka shranjevanje ...", "deleted" => "izbrisano", @@ -68,7 +68,6 @@ $TRANSLATIONS = array( "Select an App" => "Izbor programa", "See application page at apps.owncloud.com" => "Obiščite spletno stran programa na apps.owncloud.com", "-licensed by " => "-z dovoljenjem ", -"Update" => "Posodobi", "User Documentation" => "Uporabniška dokumentacija", "Administrator Documentation" => "Skrbniška dokumentacija", "Online Documentation" => "Spletna dokumentacija", diff --git a/settings/l10n/sq.php b/settings/l10n/sq.php index 1a8b588c0bd..facffb9ba18 100644 --- a/settings/l10n/sq.php +++ b/settings/l10n/sq.php @@ -2,11 +2,11 @@ $TRANSLATIONS = array( "Authentication error" => "Veprim i gabuar gjatë vërtetimit të identitetit", "Error" => "Veprim i gabuar", +"Update" => "Azhurno", "undo" => "anulo", "Delete" => "Elimino", "Security Warning" => "Paralajmërim sigurie", "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "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.", -"Update" => "Azhurno", "Get the apps to sync your files" => "Merrni app-et për sinkronizimin e skedarëve tuaj", "Password" => "Kodi", "New password" => "Kodi i ri", diff --git a/settings/l10n/sr.php b/settings/l10n/sr.php index 86872df36c5..f667a54781f 100644 --- a/settings/l10n/sr.php +++ b/settings/l10n/sr.php @@ -5,7 +5,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "Не могу да променим име за приказ", "Group already exists" => "Група већ постоји", "Unable to add group" => "Не могу да додам групу", -"Could not enable app. " => "Не могу да укључим програм", "Email saved" => "Е-порука сачувана", "Invalid email" => "Неисправна е-адреса", "Unable to delete group" => "Не могу да уклоним групу", @@ -20,9 +19,10 @@ $TRANSLATIONS = array( "Disable" => "Искључи", "Enable" => "Омогући", "Please wait...." => "Сачекајте…", -"Error" => "Грешка", "Updating...." => "Ажурирам…", "Error while updating app" => "Грешка при ажурирању апликације", +"Error" => "Грешка", +"Update" => "Ажурирај", "Updated" => "Ажурирано", "Saving..." => "Чување у току...", "deleted" => "обрисано", @@ -66,7 +66,6 @@ $TRANSLATIONS = array( "Select an App" => "Изаберите програм", "See application page at apps.owncloud.com" => "Погледајте страницу са програмима на apps.owncloud.com", "-licensed by " => "-лиценцирао ", -"Update" => "Ажурирај", "User Documentation" => "Корисничка документација", "Administrator Documentation" => "Администраторска документација", "Online Documentation" => "Мрежна документација", diff --git a/settings/l10n/sv.php b/settings/l10n/sv.php index 9600b68ff24..b7a280625c8 100644 --- a/settings/l10n/sv.php +++ b/settings/l10n/sv.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "Kan inte ändra visningsnamn", "Group already exists" => "Gruppen finns redan", "Unable to add group" => "Kan inte lägga till grupp", -"Could not enable app. " => "Kunde inte aktivera appen.", "Email saved" => "E-post sparad", "Invalid email" => "Ogiltig e-post", "Unable to delete group" => "Kan inte radera grupp", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "Deaktivera", "Enable" => "Aktivera", "Please wait...." => "Var god vänta...", -"Error" => "Fel", "Updating...." => "Uppdaterar...", "Error while updating app" => "Fel uppstod vid uppdatering av appen", +"Error" => "Fel", +"Update" => "Uppdatera", "Updated" => "Uppdaterad", "Decrypting files... Please wait, this can take some time." => "Dekrypterar filer... Vänligen vänta, detta kan ta en stund.", "Saving..." => "Sparar...", @@ -79,7 +79,6 @@ $TRANSLATIONS = array( "Select an App" => "Välj en App", "See application page at apps.owncloud.com" => "Se programsida på apps.owncloud.com", "-licensed by " => "-licensierad av ", -"Update" => "Uppdatera", "User Documentation" => "Användardokumentation", "Administrator Documentation" => "Administratörsdokumentation", "Online Documentation" => "Onlinedokumentation", diff --git a/settings/l10n/ta_LK.php b/settings/l10n/ta_LK.php index e65feedbc95..bfb6cace999 100644 --- a/settings/l10n/ta_LK.php +++ b/settings/l10n/ta_LK.php @@ -4,7 +4,6 @@ $TRANSLATIONS = array( "Authentication error" => "அத்தாட்சிப்படுத்தலில் வழு", "Group already exists" => "குழு ஏற்கனவே உள்ளது", "Unable to add group" => "குழுவை சேர்க்க முடியாது", -"Could not enable app. " => "செயலியை இயலுமைப்படுத்த முடியாது", "Email saved" => "மின்னஞ்சல் சேமிக்கப்பட்டது", "Invalid email" => "செல்லுபடியற்ற மின்னஞ்சல்", "Unable to delete group" => "குழுவை நீக்க முடியாது", @@ -16,6 +15,7 @@ $TRANSLATIONS = array( "Disable" => "இயலுமைப்ப", "Enable" => "இயலுமைப்படுத்துக", "Error" => "வழு", +"Update" => "இற்றைப்படுத்தல்", "Saving..." => "சேமிக்கப்படுகிறது...", "undo" => "முன் செயல் நீக்கம் ", "Groups" => "குழுக்கள்", @@ -31,7 +31,6 @@ $TRANSLATIONS = array( "Select an App" => "செயலி ஒன்றை தெரிவுசெய்க", "See application page at apps.owncloud.com" => "apps.owncloud.com இல் செயலி பக்கத்தை பார்க்க", "-licensed by " => "-அனுமதி பெற்ற ", -"Update" => "இற்றைப்படுத்தல்", "You have used %s of the available %s" => "நீங்கள் %s இலுள்ள %sபயன்படுத்தியுள்ளீர்கள்", "Password" => "கடவுச்சொல்", "Your password was changed" => "உங்களுடைய கடவுச்சொல் மாற்றப்பட்டுள்ளது", diff --git a/settings/l10n/th_TH.php b/settings/l10n/th_TH.php index 861528742f8..ef62f185c5c 100644 --- a/settings/l10n/th_TH.php +++ b/settings/l10n/th_TH.php @@ -4,7 +4,6 @@ $TRANSLATIONS = array( "Authentication error" => "เกิดข้อผิดพลาดในสิทธิ์การเข้าใช้งาน", "Group already exists" => "มีกลุ่มดังกล่าวอยู่ในระบบอยู่แล้ว", "Unable to add group" => "ไม่สามารถเพิ่มกลุ่มได้", -"Could not enable app. " => "ไม่สามารถเปิดใช้งานแอปได้", "Email saved" => "อีเมลถูกบันทึกแล้ว", "Invalid email" => "อีเมลไม่ถูกต้อง", "Unable to delete group" => "ไม่สามารถลบกลุ่มได้", @@ -19,9 +18,10 @@ $TRANSLATIONS = array( "Disable" => "ปิดใช้งาน", "Enable" => "เปิดใช้งาน", "Please wait...." => "กรุณารอสักครู่...", -"Error" => "ข้อผิดพลาด", "Updating...." => "กำลังอัพเดทข้อมูล...", "Error while updating app" => "เกิดข้อผิดพลาดในระหว่างการอัพเดทแอปฯ", +"Error" => "ข้อผิดพลาด", +"Update" => "อัพเดท", "Updated" => "อัพเดทแล้ว", "Saving..." => "กำลังบันทึกข้อมูล...", "deleted" => "ลบแล้ว", @@ -53,7 +53,6 @@ $TRANSLATIONS = array( "Select an App" => "เลือก App", "See application page at apps.owncloud.com" => "ดูหน้าแอพพลิเคชั่นที่ apps.owncloud.com", "-licensed by " => "-ลิขสิทธิ์การใช้งานโดย ", -"Update" => "อัพเดท", "User Documentation" => "เอกสารคู่มือการใช้งานสำหรับผู้ใช้งาน", "Administrator Documentation" => "เอกสารคู่มือการใช้งานสำหรับผู้ดูแลระบบ", "Online Documentation" => "เอกสารคู่มือการใช้งานออนไลน์", diff --git a/settings/l10n/tr.php b/settings/l10n/tr.php index dd5fb10d96c..cd9e26742a0 100644 --- a/settings/l10n/tr.php +++ b/settings/l10n/tr.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "Ekran adı değiştirilemiyor", "Group already exists" => "Grup zaten mevcut", "Unable to add group" => "Gruba eklenemiyor", -"Could not enable app. " => "Uygulama devreye alınamadı", "Email saved" => "Eposta kaydedildi", "Invalid email" => "Geçersiz eposta", "Unable to delete group" => "Grup silinemiyor", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "Etkin değil", "Enable" => "Etkinleştir", "Please wait...." => "Lütfen bekleyin....", -"Error" => "Hata", "Updating...." => "Güncelleniyor....", "Error while updating app" => "Uygulama güncellenirken hata", +"Error" => "Hata", +"Update" => "Güncelleme", "Updated" => "Güncellendi", "Decrypting files... Please wait, this can take some time." => "Dosyaların şifresi çözülüyor... Lütfen bekleyin, bu biraz zaman alabilir.", "Saving..." => "Kaydediliyor...", @@ -79,7 +79,6 @@ $TRANSLATIONS = array( "Select an App" => "Bir uygulama seçin", "See application page at apps.owncloud.com" => "Uygulamanın sayfasına apps.owncloud.com adresinden bakın ", "-licensed by " => "-lisanslayan ", -"Update" => "Güncelleme", "User Documentation" => "Kullanıcı Belgelendirmesi", "Administrator Documentation" => "Yönetici Belgelendirmesi", "Online Documentation" => "Çevrimiçi Belgelendirme", diff --git a/settings/l10n/ug.php b/settings/l10n/ug.php index 2c5e1a6786c..b62b0a7930e 100644 --- a/settings/l10n/ug.php +++ b/settings/l10n/ug.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "كۆرسىتىدىغان ئىسىمنى ئۆزگەرتكىلى بولمايدۇ", "Group already exists" => "گۇرۇپپا مەۋجۇت", "Unable to add group" => "گۇرۇپپا قوشقىلى بولمايدۇ", -"Could not enable app. " => "ئەپنى قوزغىتالمىدى. ", "Email saved" => "تورخەت ساقلاندى", "Invalid email" => "ئىناۋەتسىز تورخەت", "Unable to delete group" => "گۇرۇپپىنى ئۆچۈرەلمىدى", @@ -20,9 +19,10 @@ $TRANSLATIONS = array( "Disable" => "چەكلە", "Enable" => "قوزغات", "Please wait...." => "سەل كۈتۈڭ…", -"Error" => "خاتالىق", "Updating...." => "يېڭىلاۋاتىدۇ…", "Error while updating app" => "ئەپنى يېڭىلاۋاتقاندا خاتالىق كۆرۈلدى", +"Error" => "خاتالىق", +"Update" => "يېڭىلا", "Updated" => "يېڭىلاندى", "Saving..." => "ساقلاۋاتىدۇ…", "deleted" => "ئۆچۈرۈلگەن", @@ -42,7 +42,6 @@ $TRANSLATIONS = array( "Add your App" => "ئەپىڭىزنى قوشۇڭ", "More Apps" => "تېخىمۇ كۆپ ئەپلەر", "Select an App" => "بىر ئەپ تاللاڭ", -"Update" => "يېڭىلا", "User Documentation" => "ئىشلەتكۈچى قوللانمىسى", "Administrator Documentation" => "باشقۇرغۇچى قوللانمىسى", "Online Documentation" => "توردىكى قوللانما", diff --git a/settings/l10n/uk.php b/settings/l10n/uk.php index e58a8b7139c..314b7de6574 100644 --- a/settings/l10n/uk.php +++ b/settings/l10n/uk.php @@ -5,7 +5,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "Не вдалося змінити зображене ім'я", "Group already exists" => "Група вже існує", "Unable to add group" => "Не вдалося додати групу", -"Could not enable app. " => "Не вдалося активувати програму. ", "Email saved" => "Адресу збережено", "Invalid email" => "Невірна адреса", "Unable to delete group" => "Не вдалося видалити групу", @@ -20,9 +19,10 @@ $TRANSLATIONS = array( "Disable" => "Вимкнути", "Enable" => "Включити", "Please wait...." => "Зачекайте, будь ласка...", -"Error" => "Помилка", "Updating...." => "Оновлюється...", "Error while updating app" => "Помилка при оновленні програми", +"Error" => "Помилка", +"Update" => "Оновити", "Updated" => "Оновлено", "Saving..." => "Зберігаю...", "deleted" => "видалені", @@ -67,7 +67,6 @@ $TRANSLATIONS = array( "Select an App" => "Вибрати додаток", "See application page at apps.owncloud.com" => "Перегляньте сторінку програм на apps.owncloud.com", "-licensed by " => "-licensed by ", -"Update" => "Оновити", "User Documentation" => "Документація Користувача", "Administrator Documentation" => "Документація Адміністратора", "Online Documentation" => "Он-Лайн Документація", diff --git a/settings/l10n/vi.php b/settings/l10n/vi.php index 832001a02a7..71dbd198251 100644 --- a/settings/l10n/vi.php +++ b/settings/l10n/vi.php @@ -5,7 +5,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "Không thể thay đổi tên hiển thị", "Group already exists" => "Nhóm đã tồn tại", "Unable to add group" => "Không thể thêm nhóm", -"Could not enable app. " => "không thể kích hoạt ứng dụng.", "Email saved" => "Lưu email", "Invalid email" => "Email không hợp lệ", "Unable to delete group" => "Không thể xóa nhóm", @@ -20,9 +19,10 @@ $TRANSLATIONS = array( "Disable" => "Tắt", "Enable" => "Bật", "Please wait...." => "Xin hãy đợi...", -"Error" => "Lỗi", "Updating...." => "Đang cập nhật...", "Error while updating app" => "Lỗi khi cập nhật ứng dụng", +"Error" => "Lỗi", +"Update" => "Cập nhật", "Updated" => "Đã cập nhật", "Saving..." => "Đang lưu...", "deleted" => "đã xóa", @@ -53,7 +53,6 @@ $TRANSLATIONS = array( "Select an App" => "Chọn một ứng dụng", "See application page at apps.owncloud.com" => "Xem nhiều ứng dụng hơn tại apps.owncloud.com", "-licensed by " => "-Giấy phép được cấp bởi ", -"Update" => "Cập nhật", "User Documentation" => "Tài liệu người sử dụng", "Administrator Documentation" => "Tài liệu quản trị", "Online Documentation" => "Tài liệu trực tuyến", diff --git a/settings/l10n/zh_CN.GB2312.php b/settings/l10n/zh_CN.GB2312.php index dc760e965f5..b2457a75e50 100644 --- a/settings/l10n/zh_CN.GB2312.php +++ b/settings/l10n/zh_CN.GB2312.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "无法更改显示名称", "Group already exists" => "群组已存在", "Unable to add group" => "未能添加群组", -"Could not enable app. " => "未能启用应用", "Email saved" => "Email 保存了", "Invalid email" => "非法Email", "Unable to delete group" => "未能删除群组", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "禁用", "Enable" => "启用", "Please wait...." => "请稍候……", -"Error" => "出错", "Updating...." => "升级中……", "Error while updating app" => "应用升级时出现错误", +"Error" => "出错", +"Update" => "更新", "Updated" => "已升级", "Saving..." => "保存中...", "deleted" => "删除", @@ -78,7 +78,6 @@ $TRANSLATIONS = array( "Select an App" => "选择一个程序", "See application page at apps.owncloud.com" => "在owncloud.com上查看应用程序", "-licensed by " => "授权协议 ", -"Update" => "更新", "User Documentation" => "用户文档", "Administrator Documentation" => "管理员文档", "Online Documentation" => "在线说明文档", diff --git a/settings/l10n/zh_CN.php b/settings/l10n/zh_CN.php index 385c77645cd..82dc8774dfc 100644 --- a/settings/l10n/zh_CN.php +++ b/settings/l10n/zh_CN.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "无法修改显示名称", "Group already exists" => "已存在该组", "Unable to add group" => "无法添加组", -"Could not enable app. " => "无法开启App", "Email saved" => "电子邮件已保存", "Invalid email" => "无效的电子邮件", "Unable to delete group" => "无法删除组", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "禁用", "Enable" => "开启", "Please wait...." => "请稍等....", -"Error" => "错误", "Updating...." => "正在更新....", "Error while updating app" => "更新 app 时出错", +"Error" => "错误", +"Update" => "更新", "Updated" => "已更新", "Saving..." => "保存中", "deleted" => "已经删除", @@ -78,7 +78,6 @@ $TRANSLATIONS = array( "Select an App" => "选择一个应用", "See application page at apps.owncloud.com" => "查看在 app.owncloud.com 的应用程序页面", "-licensed by " => "-核准: ", -"Update" => "更新", "User Documentation" => "用户文档", "Administrator Documentation" => "管理员文档", "Online Documentation" => "在线文档", diff --git a/settings/l10n/zh_TW.php b/settings/l10n/zh_TW.php index 7c1a8963cca..a11182b5a79 100644 --- a/settings/l10n/zh_TW.php +++ b/settings/l10n/zh_TW.php @@ -6,7 +6,6 @@ $TRANSLATIONS = array( "Unable to change display name" => "無法更改顯示名稱", "Group already exists" => "群組已存在", "Unable to add group" => "群組增加失敗", -"Could not enable app. " => "未能啟動此app", "Email saved" => "Email已儲存", "Invalid email" => "無效的email", "Unable to delete group" => "群組刪除錯誤", @@ -21,9 +20,10 @@ $TRANSLATIONS = array( "Disable" => "停用", "Enable" => "啟用", "Please wait...." => "請稍候...", -"Error" => "錯誤", "Updating...." => "更新中...", "Error while updating app" => "更新應用程式錯誤", +"Error" => "錯誤", +"Update" => "更新", "Updated" => "已更新", "Saving..." => "儲存中...", "deleted" => "已刪除", @@ -78,7 +78,6 @@ $TRANSLATIONS = array( "Select an App" => "選擇一個應用程式", "See application page at apps.owncloud.com" => "查看應用程式頁面於 apps.owncloud.com", "-licensed by " => "-核准: ", -"Update" => "更新", "User Documentation" => "用戶說明文件", "Administrator Documentation" => "管理者說明文件", "Online Documentation" => "線上說明文件", -- GitLab From cd41de839fabf14bc21d788d7f48a223d74eb926 Mon Sep 17 00:00:00 2001 From: Pellaeon Lin Date: Mon, 26 Aug 2013 10:57:14 +0800 Subject: [PATCH 329/415] Fix "select all" checkbox displacement when checked --- apps/files/css/files.css | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/apps/files/css/files.css b/apps/files/css/files.css index a2cf8398c27..7d5fe6445b7 100644 --- a/apps/files/css/files.css +++ b/apps/files/css/files.css @@ -94,7 +94,7 @@ table th#headerDate, table td.date { min-width:11em; padding:0 .1em 0 1em; text- /* Multiselect bar */ #filestable.multiselect { top:63px; } -table.multiselect thead { position:fixed; top:82px; z-index:1; -moz-box-sizing: border-box; box-sizing: border-box; left: 0; padding-left: 64px; width:100%; } +table.multiselect thead { position:fixed; top:82px; z-index:1; -moz-box-sizing: border-box; box-sizing: border-box; left: 0; padding-left: 80px; width:100%; } table.multiselect thead th { background-color: rgba(210,210,210,.7); color: #000; -- GitLab From ec0808ce7523f87da87cb19b120f17dc27a7e46f Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Mon, 26 Aug 2013 09:44:21 +0200 Subject: [PATCH 330/415] fix reviewers concerns --- core/css/styles.css | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/core/css/styles.css b/core/css/styles.css index b03c08de738..f0a8d6cbefd 100644 --- a/core/css/styles.css +++ b/core/css/styles.css @@ -861,7 +861,7 @@ div.crumb:active { } #app-navigation .app-navigation-separator { - border-bottom: 1px solid #ccc; + border-bottom: 1px solid #ddd; } -- GitLab From 46cbd7cd3b37e073ebb497f34d54ab67e4761969 Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Mon, 26 Aug 2013 12:16:51 +0200 Subject: [PATCH 331/415] fix preview issue when uploading a file with parentheses --- apps/files/js/files.js | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/apps/files/js/files.js b/apps/files/js/files.js index 79fa01aa0aa..a890da843bb 100644 --- a/apps/files/js/files.js +++ b/apps/files/js/files.js @@ -843,7 +843,9 @@ function lazyLoadPreview(path, mime, ready) { var y = $('#filestable').data('preview-y'); var previewURL = OC.Router.generate('core_ajax_preview', {file: encodeURIComponent(path), x:x, y:y}); $.get(previewURL, function() { - ready(previewURL); + previewURL = previewURL.replace('(','%28'); + previewURL = previewURL.replace(')','%29'); + ready(previewURL + '&reload=true'); }); } -- GitLab From d538a566acac35eab811b2bfa16596fb8534db0f Mon Sep 17 00:00:00 2001 From: Georg Ehrke Date: Mon, 26 Aug 2013 14:36:18 +0200 Subject: [PATCH 332/415] fix background size in filelist.js --- apps/files/js/filelist.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/apps/files/js/filelist.js b/apps/files/js/filelist.js index e3e985af38b..7a48453488a 100644 --- a/apps/files/js/filelist.js +++ b/apps/files/js/filelist.js @@ -15,7 +15,7 @@ var FileList={ // filename td td = $('
    '+humanFileSize(totalSize)+'
    '+info+'
    - t('directory')); - } else { - p($l->t('directories')); - } - } - if ($totaldirs !== 0 && $totalfiles !== 0) { - p(' & '); - } - if ($totalfiles !== 0) { - p($totalfiles.' '); - if ($totalfiles === 1) { - p($l->t('file')); - } else { - p($l->t('files')); - } - } ?> - - -
    diff --git a/core/css/styles.css b/core/css/styles.css index 85f65a2f427..8cda9ff9ef2 100644 --- a/core/css/styles.css +++ b/core/css/styles.css @@ -177,7 +177,14 @@ input[type="submit"].enabled { background:#66f866; border:1px solid #5e5; -moz-b #leftcontent a { height:100%; display:block; margin:0; padding:0 1em 0 0; float:left; } #rightcontent, .rightcontent { position:fixed; top:6.4em; left:24.5em; overflow:auto } - +#emptycontent { + font-size:1.5em; font-weight:bold; + color:#888; text-shadow:#fff 0 1px 0; + position: absolute; + text-align: center; + top: 50%; + width: 100%; +} /* LOG IN & INSTALLATION ------------------------------------------------------------ */ -- GitLab From b10a646bc8d7deec8d95206c33de1be76a870dda Mon Sep 17 00:00:00 2001 From: Alessandro Cosentino Date: Sat, 31 Aug 2013 11:25:11 -0400 Subject: [PATCH 394/415] rename emptyfolder to emptycontent --- apps/files/js/filelist.js | 4 ++-- apps/files_trashbin/templates/index.php | 2 +- core/css/styles.css | 10 +++++----- 3 files changed, 8 insertions(+), 8 deletions(-) diff --git a/apps/files/js/filelist.js b/apps/files/js/filelist.js index 05e31094502..29be5e0d362 100644 --- a/apps/files/js/filelist.js +++ b/apps/files/js/filelist.js @@ -147,7 +147,7 @@ var FileList={ $('tr').filterAttr('data-file',name).remove(); FileList.updateFileSummary(); if($('tr[data-file]').length==0){ - $('#emptyfolder').show(); + $('#emptycontent').show(); } }, insertElement:function(name,type,element){ @@ -177,7 +177,7 @@ var FileList={ }else{ $('#fileList').append(element); } - $('#emptyfolder').hide(); + $('#emptycontent').hide(); FileList.updateFileSummary(); }, loadingDone:function(name, id){ diff --git a/apps/files_trashbin/templates/index.php b/apps/files_trashbin/templates/index.php index 371765fa69a..88c32b1f3eb 100644 --- a/apps/files_trashbin/templates/index.php +++ b/apps/files_trashbin/templates/index.php @@ -6,7 +6,7 @@
    -
    t('Nothing in here. Your trash bin is empty!'))?>
    +
    t('Nothing in here. Your trash bin is empty!'))?>
    diff --git a/core/css/styles.css b/core/css/styles.css index 8cda9ff9ef2..ea1733a3446 100644 --- a/core/css/styles.css +++ b/core/css/styles.css @@ -178,12 +178,12 @@ input[type="submit"].enabled { background:#66f866; border:1px solid #5e5; -moz-b #rightcontent, .rightcontent { position:fixed; top:6.4em; left:24.5em; overflow:auto } #emptycontent { - font-size:1.5em; font-weight:bold; + font-size:1.5em; font-weight:bold; color:#888; text-shadow:#fff 0 1px 0; - position: absolute; - text-align: center; - top: 50%; - width: 100%; + position: absolute; + text-align: center; + top: 50%; + width: 100%; } -- GitLab From 58e036e304b47dbed8dafc7ebe60f987a8a62551 Mon Sep 17 00:00:00 2001 From: Frank Karlitschek Date: Sat, 31 Aug 2013 18:00:53 +0200 Subject: [PATCH 395/415] remove knowledgebase calls that are no longer used in ownCloud 5/6 --- lib/ocsclient.php | 49 ----------------------------------------------- 1 file changed, 49 deletions(-) diff --git a/lib/ocsclient.php b/lib/ocsclient.php index bd0302a2a81..58636f806be 100644 --- a/lib/ocsclient.php +++ b/lib/ocsclient.php @@ -40,16 +40,6 @@ class OC_OCSClient{ return($url); } - /** - * @brief Get the url of the OCS KB server. - * @returns string of the KB server - * This function returns the url of the OCS knowledge base server. It´s - * possible to set it in the config file or it will fallback to the default - */ - private static function getKBURL() { - $url = OC_Config::getValue('knowledgebaseurl', 'http://api.apps.owncloud.com/v1'); - return($url); - } /** * @brief Get the content of an OCS url call. @@ -214,44 +204,5 @@ class OC_OCSClient{ } - /** - * @brief Get all the knowledgebase entries from the OCS server - * @returns array with q and a data - * - * This function returns a list of all the knowledgebase entries from the OCS server - */ - public static function getKnownledgebaseEntries($page, $pagesize, $search='') { - $kbe = array('totalitems' => 0); - if(OC_Config::getValue('knowledgebaseenabled', true)) { - $p = (int) $page; - $s = (int) $pagesize; - $searchcmd = ''; - if ($search) { - $searchcmd = '&search='.urlencode($search); - } - $url = OC_OCSClient::getKBURL().'/knowledgebase/data?type=150&page='. $p .'&pagesize='. $s . $searchcmd; - $xml = OC_OCSClient::getOCSresponse($url); - $data = @simplexml_load_string($xml); - if($data===false) { - OC_Log::write('core', 'Unable to parse knowledgebase content', OC_Log::FATAL); - return null; - } - $tmp = $data->data->content; - for($i = 0; $i < count($tmp); $i++) { - $kbe[] = array( - 'id' => $tmp[$i]->id, - 'name' => $tmp[$i]->name, - 'description' => $tmp[$i]->description, - 'answer' => $tmp[$i]->answer, - 'preview1' => $tmp[$i]->smallpreviewpic1, - 'detailpage' => $tmp[$i]->detailpage - ); - } - $kbe['totalitems'] = $data->meta->totalitems; - } - return $kbe; - } - - } -- GitLab From a5633bb155e348bd0fce9ea703511de86308fab6 Mon Sep 17 00:00:00 2001 From: Frank Karlitschek Date: Sat, 31 Aug 2013 18:03:10 +0200 Subject: [PATCH 396/415] remove the config option that is no longer needed --- config/config.sample.php | 3 --- 1 file changed, 3 deletions(-) diff --git a/config/config.sample.php b/config/config.sample.php index 5f748438bc7..0f6d686a511 100644 --- a/config/config.sample.php +++ b/config/config.sample.php @@ -71,9 +71,6 @@ $CONFIG = array( /* Enable the help menu item in the settings */ "knowledgebaseenabled" => true, -/* URL to use for the help page, server should understand OCS */ -"knowledgebaseurl" => "http://api.apps.owncloud.com/v1", - /* Enable installing apps from the appstore */ "appstoreenabled" => true, -- GitLab From f1836a997f9c8051bf040b78cd5475a8e9862fe0 Mon Sep 17 00:00:00 2001 From: Frank Karlitschek Date: Sat, 31 Aug 2013 18:14:46 +0200 Subject: [PATCH 397/415] remove the activity call here. it is not implemented anyways. This will be provided by Activity app in the future. --- lib/ocs/activity.php | 28 ---------------------------- ocs/routes.php | 8 -------- 2 files changed, 36 deletions(-) delete mode 100644 lib/ocs/activity.php diff --git a/lib/ocs/activity.php b/lib/ocs/activity.php deleted file mode 100644 index c30e21018d3..00000000000 --- a/lib/ocs/activity.php +++ /dev/null @@ -1,28 +0,0 @@ -. -* -*/ - -class OC_OCS_Activity { - - public static function activityGet($parameters){ - // TODO - } -} diff --git a/ocs/routes.php b/ocs/routes.php index 283c9af6924..c4a74d77900 100644 --- a/ocs/routes.php +++ b/ocs/routes.php @@ -21,14 +21,6 @@ OC_API::register( 'core', OC_API::GUEST_AUTH ); -// Activity -OC_API::register( - 'get', - '/activity', - array('OC_OCS_Activity', 'activityGet'), - 'core', - OC_API::USER_AUTH - ); // Privatedata OC_API::register( 'get', -- GitLab From ebcd2a6b4df1851f131b7a37474c1e7804f9816a Mon Sep 17 00:00:00 2001 From: kondou Date: Sat, 31 Aug 2013 19:21:51 +0200 Subject: [PATCH 398/415] Fit filesummary for \OC\Preview's ne mimetype-icons --- core/css/styles.css | 17 +++++++++++++++-- 1 file changed, 15 insertions(+), 2 deletions(-) diff --git a/core/css/styles.css b/core/css/styles.css index 85f65a2f427..309917f30ed 100644 --- a/core/css/styles.css +++ b/core/css/styles.css @@ -677,8 +677,21 @@ a.bookmarklet { background-color:#ddd; border:1px solid #ccc; padding:5px;paddin background-color:white; width:100%; } -#oc-dialog-filepicker-content .filelist img { margin: 2px 1em 0 4px; } -#oc-dialog-filepicker-content .filelist .date { float:right;margin-right:1em; } +#oc-dialog-filepicker-content .filelist li { + position: relative; +} +#oc-dialog-filepicker-content .filelist .filename { + position: absolute; + top: 8px; +} +#oc-dialog-filepicker-content .filelist img { + margin: 2px 1em 0 4px; +} +#oc-dialog-filepicker-content .filelist .date { + float: right; + margin-right: 1em; + margin-top: 8px; +} #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;} -- GitLab From c54994d2e9ba1d6ea1e2c1037192e1d79e64c281 Mon Sep 17 00:00:00 2001 From: Frank Karlitschek Date: Sun, 1 Sep 2013 08:23:11 +0200 Subject: [PATCH 399/415] fixing this obvious typo directly --- lib/public/preview.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/public/preview.php b/lib/public/preview.php index e488eade4da..7588347eccb 100644 --- a/lib/public/preview.php +++ b/lib/public/preview.php @@ -22,7 +22,7 @@ class Preview { * @return image */ public static function show($file,$maxX=100,$maxY=75,$scaleup=false) { - return(\OC_Preview::show($file,$maxX,$maxY,$scaleup)); + return(\OC\Preview::show($file,$maxX,$maxY,$scaleup)); } -- GitLab From 2d6a400381ffe9d13047ecf7273c550f335e5225 Mon Sep 17 00:00:00 2001 From: kondou Date: Sun, 1 Sep 2013 15:50:58 +0200 Subject: [PATCH 400/415] Check for $this->fileInfo and @depend on testData() --- lib/image.php | 4 ++-- tests/lib/image.php | 3 +++ 2 files changed, 5 insertions(+), 2 deletions(-) diff --git a/lib/image.php b/lib/image.php index badc30ab9a0..7761a3c7737 100644 --- a/lib/image.php +++ b/lib/image.php @@ -519,7 +519,7 @@ class OC_Image { return false; } $this->resource = @imagecreatefromstring($str); - if (\OC_Util::fileInfoLoaded()) { + if ($this->fileInfo) { $this->mimeType = $this->fileInfo->buffer($str); } if(is_resource($this->resource)) { @@ -546,7 +546,7 @@ class OC_Image { $data = base64_decode($str); if($data) { // try to load from string data $this->resource = @imagecreatefromstring($data); - if (\OC_Util::fileInfoLoaded()) { + if ($this->fileInfo) { $this->mimeType = $this->fileInfo->buffer($data); } if(!$this->resource) { diff --git a/tests/lib/image.php b/tests/lib/image.php index b3db89cf5b8..4aba1b0bc61 100644 --- a/tests/lib/image.php +++ b/tests/lib/image.php @@ -135,6 +135,9 @@ class Test_Image extends PHPUnit_Framework_TestCase { $this->assertEquals($expected, $img->data()); } + /** + * @depends testData + */ public function testToString() { $img = new \OC_Image(OC::$SERVERROOT.'/tests/data/testimage.png'); $expected = base64_encode($img->data()); -- GitLab From e68b5f8b0da93bf1e039bc700aec8c816cc9afa9 Mon Sep 17 00:00:00 2001 From: Jenkins for ownCloud Date: Sun, 1 Sep 2013 13:30:40 -0400 Subject: [PATCH 401/415] [tx-robot] updated from transifex --- apps/files/l10n/ar.php | 8 +++ apps/files/l10n/bg_BG.php | 1 + apps/files/l10n/ca.php | 1 + apps/files/l10n/cs_CZ.php | 2 + apps/files/l10n/cy_GB.php | 1 + apps/files/l10n/da.php | 2 + apps/files/l10n/de.php | 2 + apps/files/l10n/de_DE.php | 2 + apps/files/l10n/el.php | 1 + apps/files/l10n/eo.php | 1 + apps/files/l10n/es.php | 1 + apps/files/l10n/es_AR.php | 1 + apps/files/l10n/et_EE.php | 1 + apps/files/l10n/eu.php | 1 + apps/files/l10n/fa.php | 1 + apps/files/l10n/fi_FI.php | 2 + apps/files/l10n/fr.php | 1 + apps/files/l10n/gl.php | 1 + apps/files/l10n/he.php | 1 + apps/files/l10n/hu_HU.php | 1 + apps/files/l10n/it.php | 2 + apps/files/l10n/ja_JP.php | 2 + apps/files/l10n/ka_GE.php | 1 + apps/files/l10n/ko.php | 1 + apps/files/l10n/lt_LT.php | 1 + apps/files/l10n/lv.php | 1 + apps/files/l10n/nb_NO.php | 1 + apps/files/l10n/nl.php | 1 + apps/files/l10n/nn_NO.php | 1 + apps/files/l10n/pl.php | 1 + apps/files/l10n/pt_BR.php | 1 + apps/files/l10n/pt_PT.php | 9 ++- apps/files/l10n/ro.php | 1 + apps/files/l10n/ru.php | 1 + apps/files/l10n/si_LK.php | 1 + apps/files/l10n/sk_SK.php | 1 + apps/files/l10n/sl.php | 1 + apps/files/l10n/sr.php | 1 + apps/files/l10n/sv.php | 2 + apps/files/l10n/ta_LK.php | 1 + apps/files/l10n/th_TH.php | 1 + apps/files/l10n/tr.php | 1 + apps/files/l10n/uk.php | 1 + apps/files/l10n/vi.php | 1 + apps/files/l10n/zh_CN.php | 1 + apps/files/l10n/zh_TW.php | 50 ++++++------- apps/files_sharing/l10n/zh_TW.php | 4 +- apps/files_trashbin/l10n/pt_PT.php | 4 +- apps/files_trashbin/l10n/zh_TW.php | 2 +- core/l10n/ar.php | 1 + core/l10n/ca.php | 1 + core/l10n/cs_CZ.php | 1 + core/l10n/cy_GB.php | 1 + core/l10n/da.php | 1 + core/l10n/de.php | 1 + core/l10n/de_CH.php | 1 + core/l10n/de_DE.php | 1 + core/l10n/el.php | 1 + core/l10n/eo.php | 1 + core/l10n/es.php | 1 + core/l10n/es_AR.php | 1 + core/l10n/et_EE.php | 1 + core/l10n/eu.php | 1 + core/l10n/fa.php | 1 + core/l10n/fi_FI.php | 1 + core/l10n/fr.php | 1 + core/l10n/gl.php | 1 + core/l10n/he.php | 1 + core/l10n/hu_HU.php | 1 + core/l10n/id.php | 1 + core/l10n/it.php | 1 + core/l10n/ja_JP.php | 7 ++ core/l10n/ka_GE.php | 1 + core/l10n/ko.php | 1 + core/l10n/lb.php | 1 + core/l10n/lt_LT.php | 1 + core/l10n/lv.php | 1 + core/l10n/mk.php | 1 + core/l10n/nb_NO.php | 1 + core/l10n/nl.php | 1 + core/l10n/nn_NO.php | 1 + core/l10n/oc.php | 1 + core/l10n/pl.php | 1 + core/l10n/pt_BR.php | 1 + core/l10n/pt_PT.php | 1 + core/l10n/ro.php | 1 + core/l10n/ru.php | 1 + core/l10n/si_LK.php | 1 + core/l10n/sk_SK.php | 1 + core/l10n/sl.php | 1 + core/l10n/sr.php | 1 + core/l10n/sv.php | 1 + core/l10n/ta_LK.php | 1 + core/l10n/th_TH.php | 1 + core/l10n/tr.php | 1 + core/l10n/ug.php | 1 + core/l10n/uk.php | 1 + core/l10n/vi.php | 1 + core/l10n/zh_CN.php | 1 + core/l10n/zh_TW.php | 37 ++++++---- l10n/ar/core.po | 6 +- l10n/ar/files.po | 69 +++++++++--------- l10n/bg_BG/files.po | 52 +++++++------- l10n/ca/core.po | 6 +- l10n/ca/files.po | 52 +++++++------- l10n/cs_CZ/core.po | 8 +-- l10n/cs_CZ/files.po | 56 +++++++-------- l10n/cy_GB/core.po | 6 +- l10n/cy_GB/files.po | 52 +++++++------- l10n/da/core.po | 6 +- l10n/da/files.po | 56 +++++++-------- l10n/de/core.po | 6 +- l10n/de/files.po | 56 +++++++-------- l10n/de_CH/core.po | 6 +- l10n/de_CH/files.po | 52 +++++++------- l10n/de_DE/core.po | 6 +- l10n/de_DE/files.po | 57 +++++++-------- l10n/el/core.po | 6 +- l10n/el/files.po | 52 +++++++------- l10n/en_GB/core.po | 4 +- l10n/en_GB/files.po | 50 ++++++------- l10n/eo/core.po | 6 +- l10n/eo/files.po | 52 +++++++------- l10n/es/core.po | 6 +- l10n/es/files.po | 52 +++++++------- l10n/es/lib.po | 49 ++++++------- l10n/es_AR/core.po | 6 +- l10n/es_AR/files.po | 52 +++++++------- l10n/et_EE/core.po | 6 +- l10n/et_EE/files.po | 52 +++++++------- l10n/eu/core.po | 6 +- l10n/eu/files.po | 52 +++++++------- l10n/fa/core.po | 6 +- l10n/fa/files.po | 52 +++++++------- l10n/fi_FI/core.po | 6 +- l10n/fi_FI/files.po | 56 +++++++-------- l10n/fr/core.po | 6 +- l10n/fr/files.po | 52 +++++++------- l10n/gl/core.po | 6 +- l10n/gl/files.po | 52 +++++++------- l10n/he/core.po | 6 +- l10n/he/files.po | 52 +++++++------- l10n/hu_HU/core.po | 6 +- l10n/hu_HU/files.po | 52 +++++++------- l10n/id/core.po | 6 +- l10n/it/core.po | 6 +- l10n/it/files.po | 56 +++++++-------- l10n/it/lib.po | 29 ++++---- l10n/it/settings.po | 33 ++++----- l10n/ja_JP/core.po | 20 +++--- l10n/ja_JP/files.po | 56 +++++++-------- l10n/ja_JP/lib.po | 52 +++++++------- l10n/ja_JP/settings.po | 32 ++++----- l10n/ka_GE/core.po | 6 +- l10n/ka_GE/files.po | 52 +++++++------- l10n/ko/core.po | 6 +- l10n/ko/files.po | 52 +++++++------- l10n/lb/core.po | 6 +- l10n/lt_LT/core.po | 6 +- l10n/lt_LT/files.po | 52 +++++++------- l10n/lv/core.po | 6 +- l10n/lv/files.po | 52 +++++++------- l10n/mk/core.po | 6 +- l10n/nb_NO/core.po | 6 +- l10n/nb_NO/files.po | 52 +++++++------- l10n/nl/core.po | 6 +- l10n/nl/files.po | 52 +++++++------- l10n/nn_NO/core.po | 6 +- l10n/nn_NO/files.po | 52 +++++++------- l10n/oc/core.po | 6 +- l10n/pl/core.po | 6 +- l10n/pl/files.po | 52 +++++++------- l10n/pt_BR/core.po | 6 +- l10n/pt_BR/files.po | 52 +++++++------- l10n/pt_PT/core.po | 6 +- l10n/pt_PT/files.po | 71 +++++++++---------- l10n/pt_PT/files_trashbin.po | 32 ++++----- l10n/pt_PT/settings.po | 40 +++++------ l10n/ro/core.po | 6 +- l10n/ro/files.po | 52 +++++++------- l10n/ru/core.po | 6 +- l10n/ru/files.po | 52 +++++++------- l10n/si_LK/core.po | 6 +- l10n/si_LK/files.po | 52 +++++++------- l10n/sk_SK/core.po | 6 +- l10n/sk_SK/files.po | 52 +++++++------- l10n/sl/core.po | 6 +- l10n/sl/files.po | 52 +++++++------- l10n/sr/core.po | 6 +- l10n/sr/files.po | 52 +++++++------- l10n/sv/core.po | 6 +- l10n/sv/files.po | 56 +++++++-------- l10n/ta_LK/core.po | 6 +- l10n/ta_LK/files.po | 52 +++++++------- l10n/templates/core.pot | 2 +- l10n/templates/files.pot | 48 ++++++------- l10n/templates/files_encryption.pot | 2 +- l10n/templates/files_external.pot | 2 +- l10n/templates/files_sharing.pot | 6 +- l10n/templates/files_trashbin.pot | 2 +- l10n/templates/files_versions.pot | 2 +- l10n/templates/lib.pot | 22 +++--- l10n/templates/settings.pot | 2 +- l10n/templates/user_ldap.pot | 2 +- l10n/templates/user_webdavauth.pot | 2 +- l10n/th_TH/core.po | 6 +- l10n/th_TH/files.po | 52 +++++++------- l10n/tr/core.po | 6 +- l10n/tr/files.po | 52 +++++++------- l10n/ug/core.po | 6 +- l10n/uk/core.po | 6 +- l10n/uk/files.po | 52 +++++++------- l10n/vi/core.po | 6 +- l10n/vi/files.po | 52 +++++++------- l10n/zh_CN/core.po | 6 +- l10n/zh_CN/files.po | 52 +++++++------- l10n/zh_TW/core.po | 50 ++++++------- l10n/zh_TW/files.po | 104 ++++++++++++++-------------- l10n/zh_TW/files_sharing.po | 12 ++-- l10n/zh_TW/files_trashbin.po | 24 +++---- l10n/zh_TW/settings.po | 30 ++++---- lib/l10n/es.php | 11 +++ lib/l10n/it.php | 1 + lib/l10n/ja_JP.php | 13 ++++ settings/l10n/it.php | 2 + settings/l10n/ja_JP.php | 2 + settings/l10n/pt_PT.php | 6 ++ settings/l10n/zh_TW.php | 4 +- 228 files changed, 1919 insertions(+), 1751 deletions(-) diff --git a/apps/files/l10n/ar.php b/apps/files/l10n/ar.php index 8346eece88b..99eb409a369 100644 --- a/apps/files/l10n/ar.php +++ b/apps/files/l10n/ar.php @@ -2,6 +2,8 @@ $TRANSLATIONS = array( "Could not move %s - File with this name already exists" => "فشل في نقل الملف %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 ", @@ -11,12 +13,15 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "المجلد المؤقت غير موجود", "Failed to write to disk" => "خطأ في الكتابة على القرص الصلب", "Not enough storage available" => "لا يوجد مساحة تخزينية كافية", +"Upload failed" => "عملية الرفع فشلت", "Invalid directory." => "مسار غير صحيح.", "Files" => "الملفات", "Unable to upload your file as it is a directory or has 0 bytes" => "فشل في رفع ملفاتك , إما أنها مجلد أو حجمها 0 بايت", +"Not enough space available" => "لا توجد مساحة كافية", "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" => "تسمية ملف غير صالحة. استخدام الاسم \"shared\" محجوز بواسطة ownCloud", "Error" => "خطأ", "Share" => "شارك", "Delete permanently" => "حذف بشكل دائم", @@ -30,12 +35,15 @@ $TRANSLATIONS = array( "undo" => "تراجع", "_%n folder_::_%n folders_" => array("","","","","",""), "_%n file_::_%n files_" => array("","","","","",""), +"{dirs} and {files}" => "{dirs} و {files}", "_Uploading %n file_::_Uploading %n files_" => array("","","","","",""), +"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}%)" => "مساحتك التخزينية امتلأت تقريبا ", +"Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "تم تعطيل التشفير لكن ملفاتك لا تزال مشفرة. فضلا اذهب إلى الإعدادات الشخصية لإزالة التشفير عن ملفاتك.", "Your download is being prepared. This might take some time if the files are big." => "جاري تجهيز عملية التحميل. قد تستغرق بعض الوقت اذا كان حجم الملفات كبير.", "Name" => "اسم", "Size" => "حجم", diff --git a/apps/files/l10n/bg_BG.php b/apps/files/l10n/bg_BG.php index e7dafd1c43a..913875e863a 100644 --- a/apps/files/l10n/bg_BG.php +++ b/apps/files/l10n/bg_BG.php @@ -6,6 +6,7 @@ $TRANSLATIONS = array( "No file was uploaded" => "Фахлът не бе качен", "Missing a temporary folder" => "Липсва временна папка", "Failed to write to disk" => "Възникна проблем при запис в диска", +"Upload failed" => "Качването е неуспешно", "Invalid directory." => "Невалидна директория.", "Files" => "Файлове", "Upload cancelled." => "Качването е спряно.", diff --git a/apps/files/l10n/ca.php b/apps/files/l10n/ca.php index 9f90138eebe..648ffce79d6 100644 --- a/apps/files/l10n/ca.php +++ b/apps/files/l10n/ca.php @@ -13,6 +13,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Falta un fitxer temporal", "Failed to write to disk" => "Ha fallat en escriure al disc", "Not enough storage available" => "No hi ha prou espai disponible", +"Upload failed" => "La pujada ha fallat", "Invalid directory." => "Directori no vàlid.", "Files" => "Fitxers", "Unable to upload your file as it is a directory or has 0 bytes" => "No es pot pujar el fitxer perquè és una carpeta o té 0 bytes", diff --git a/apps/files/l10n/cs_CZ.php b/apps/files/l10n/cs_CZ.php index c46758c7bcc..691cc92f1ad 100644 --- a/apps/files/l10n/cs_CZ.php +++ b/apps/files/l10n/cs_CZ.php @@ -13,6 +13,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Chybí adresář pro dočasné soubory", "Failed to write to disk" => "Zápis na disk selhal", "Not enough storage available" => "Nedostatek dostupného úložného prostoru", +"Upload failed" => "Odesílání selhalo", "Invalid directory." => "Neplatný adresář", "Files" => "Soubory", "Unable to upload your file as it is a directory or has 0 bytes" => "Nelze odeslat Váš soubor, protože je to adresář nebo jeho velikost je 0 bajtů", @@ -34,6 +35,7 @@ $TRANSLATIONS = array( "undo" => "vrátit zpět", "_%n folder_::_%n folders_" => array("%n složka","%n složky","%n složek"), "_%n file_::_%n files_" => array("%n soubor","%n soubory","%n souborů"), +"{dirs} and {files}" => "{dirs} a {files}", "_Uploading %n file_::_Uploading %n files_" => array("Nahrávám %n soubor","Nahrávám %n soubory","Nahrávám %n souborů"), "files uploading" => "soubory se odesílají", "'.' is an invalid file name." => "'.' je neplatným názvem souboru.", diff --git a/apps/files/l10n/cy_GB.php b/apps/files/l10n/cy_GB.php index 666e90e9db8..157f4f89a23 100644 --- a/apps/files/l10n/cy_GB.php +++ b/apps/files/l10n/cy_GB.php @@ -11,6 +11,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Plygell dros dro yn eisiau", "Failed to write to disk" => "Methwyd ysgrifennu i'r ddisg", "Not enough storage available" => "Dim digon o le storio ar gael", +"Upload failed" => "Methwyd llwytho i fyny", "Invalid directory." => "Cyfeiriadur annilys.", "Files" => "Ffeiliau", "Unable to upload your file as it is a directory or has 0 bytes" => "Methu llwytho'ch ffeil i fyny gan ei fod yn gyferiadur neu'n cynnwys 0 beit", diff --git a/apps/files/l10n/da.php b/apps/files/l10n/da.php index 36703322f93..aab12986ec1 100644 --- a/apps/files/l10n/da.php +++ b/apps/files/l10n/da.php @@ -13,6 +13,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Manglende midlertidig mappe.", "Failed to write to disk" => "Fejl ved skrivning til disk.", "Not enough storage available" => "Der er ikke nok plads til rådlighed", +"Upload failed" => "Upload fejlede", "Invalid directory." => "Ugyldig mappe.", "Files" => "Filer", "Unable to upload your file as it is a directory or has 0 bytes" => "Kan ikke uploade din fil - det er enten en mappe eller en fil med et indhold på 0 bytes.", @@ -34,6 +35,7 @@ $TRANSLATIONS = array( "undo" => "fortryd", "_%n folder_::_%n folders_" => array("%n mappe","%n mapper"), "_%n file_::_%n files_" => array("%n fil","%n filer"), +"{dirs} and {files}" => "{dirs} og {files}", "_Uploading %n file_::_Uploading %n files_" => array("Uploader %n fil","Uploader %n filer"), "files uploading" => "uploader filer", "'.' is an invalid file name." => "'.' er et ugyldigt filnavn.", diff --git a/apps/files/l10n/de.php b/apps/files/l10n/de.php index 8d8d30cb6e7..947d4f07461 100644 --- a/apps/files/l10n/de.php +++ b/apps/files/l10n/de.php @@ -13,6 +13,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Kein temporärer Ordner vorhanden", "Failed to write to disk" => "Fehler beim Schreiben auf die Festplatte", "Not enough storage available" => "Nicht genug Speicher vorhanden.", +"Upload failed" => "Hochladen fehlgeschlagen", "Invalid directory." => "Ungültiges Verzeichnis.", "Files" => "Dateien", "Unable to upload your file as it is a directory or has 0 bytes" => "Deine Datei kann nicht hochgeladen werden, weil es sich um einen Ordner handelt oder 0 Bytes groß ist.", @@ -34,6 +35,7 @@ $TRANSLATIONS = array( "undo" => "rückgängig machen", "_%n folder_::_%n folders_" => array("%n Ordner","%n Ordner"), "_%n file_::_%n files_" => array("%n Datei","%n Dateien"), +"{dirs} and {files}" => "{dirs} und {files}", "_Uploading %n file_::_Uploading %n files_" => array("%n Datei wird hochgeladen","%n Dateien werden hochgeladen"), "files uploading" => "Dateien werden hoch geladen", "'.' is an invalid file name." => "'.' ist kein gültiger Dateiname.", diff --git a/apps/files/l10n/de_DE.php b/apps/files/l10n/de_DE.php index 309a885d37f..db07ed7fadd 100644 --- a/apps/files/l10n/de_DE.php +++ b/apps/files/l10n/de_DE.php @@ -13,6 +13,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Kein temporärer Ordner vorhanden", "Failed to write to disk" => "Fehler beim Schreiben auf die Festplatte", "Not enough storage available" => "Nicht genug Speicher vorhanden.", +"Upload failed" => "Hochladen fehlgeschlagen", "Invalid directory." => "Ungültiges Verzeichnis.", "Files" => "Dateien", "Unable to upload your file as it is a directory or has 0 bytes" => "Ihre Datei kann nicht hochgeladen werden, weil es sich um einen Ordner handelt oder 0 Bytes groß ist.", @@ -34,6 +35,7 @@ $TRANSLATIONS = array( "undo" => "rückgängig machen", "_%n folder_::_%n folders_" => array("%n Ordner","%n Ordner"), "_%n file_::_%n files_" => array("%n Datei","%n Dateien"), +"{dirs} and {files}" => "{dirs} und {files}", "_Uploading %n file_::_Uploading %n files_" => array("%n Datei wird hoch geladen","%n Dateien werden hoch geladen"), "files uploading" => "Dateien werden hoch geladen", "'.' is an invalid file name." => "'.' ist kein gültiger Dateiname.", diff --git a/apps/files/l10n/el.php b/apps/files/l10n/el.php index 1dca8e41f6d..8c89e5e1feb 100644 --- a/apps/files/l10n/el.php +++ b/apps/files/l10n/el.php @@ -13,6 +13,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Λείπει ο προσωρινός φάκελος", "Failed to write to disk" => "Αποτυχία εγγραφής στο δίσκο", "Not enough storage available" => "Μη επαρκής διαθέσιμος αποθηκευτικός χώρος", +"Upload failed" => "Η μεταφόρτωση απέτυχε", "Invalid directory." => "Μη έγκυρος φάκελος.", "Files" => "Αρχεία", "Unable to upload your file as it is a directory or has 0 bytes" => "Αδυναμία στην αποστολή του αρχείου σας αφού είναι φάκελος ή έχει 0 bytes", diff --git a/apps/files/l10n/eo.php b/apps/files/l10n/eo.php index 2a011ab214b..ad538f2f2a9 100644 --- a/apps/files/l10n/eo.php +++ b/apps/files/l10n/eo.php @@ -11,6 +11,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Mankas provizora dosierujo.", "Failed to write to disk" => "Malsukcesis skribo al disko", "Not enough storage available" => "Ne haveblas sufiĉa memoro", +"Upload failed" => "Alŝuto malsukcesis", "Invalid directory." => "Nevalida dosierujo.", "Files" => "Dosieroj", "Unable to upload your file as it is a directory or has 0 bytes" => "Ne eblis alŝuti vian dosieron ĉar ĝi estas dosierujo aŭ havas 0 duumokojn", diff --git a/apps/files/l10n/es.php b/apps/files/l10n/es.php index 1ff1506aaf4..7a5785577af 100644 --- a/apps/files/l10n/es.php +++ b/apps/files/l10n/es.php @@ -13,6 +13,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Falta la carpeta temporal", "Failed to write to disk" => "Falló al escribir al disco", "Not enough storage available" => "No hay suficiente espacio disponible", +"Upload failed" => "Error en la subida", "Invalid directory." => "Directorio inválido.", "Files" => "Archivos", "Unable to upload your file as it is a directory or has 0 bytes" => "Incapaz de subir su archivo, es un directorio o tiene 0 bytes", diff --git a/apps/files/l10n/es_AR.php b/apps/files/l10n/es_AR.php index dac4d4e4de2..1c26c10028d 100644 --- a/apps/files/l10n/es_AR.php +++ b/apps/files/l10n/es_AR.php @@ -13,6 +13,7 @@ $TRANSLATIONS = array( "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 almacenamiento", +"Upload failed" => "Error al subir el archivo", "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", diff --git a/apps/files/l10n/et_EE.php b/apps/files/l10n/et_EE.php index e1947cb8f73..5a2bb437d39 100644 --- a/apps/files/l10n/et_EE.php +++ b/apps/files/l10n/et_EE.php @@ -13,6 +13,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Ajutiste failide kaust puudub", "Failed to write to disk" => "Kettale kirjutamine ebaõnnestus", "Not enough storage available" => "Saadaval pole piisavalt ruumi", +"Upload failed" => "Üleslaadimine ebaõnnestus", "Invalid directory." => "Vigane kaust.", "Files" => "Failid", "Unable to upload your file as it is a directory or has 0 bytes" => "Faili ei saa üles laadida, kuna see on kaust või selle suurus on 0 baiti", diff --git a/apps/files/l10n/eu.php b/apps/files/l10n/eu.php index 6c6e92dda38..524be56af02 100644 --- a/apps/files/l10n/eu.php +++ b/apps/files/l10n/eu.php @@ -13,6 +13,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Aldi bateko karpeta falta da", "Failed to write to disk" => "Errore bat izan da diskoan idazterakoan", "Not enough storage available" => "Ez dago behar aina leku erabilgarri,", +"Upload failed" => "igotzeak huts egin du", "Invalid directory." => "Baliogabeko karpeta.", "Files" => "Fitxategiak", "Unable to upload your file as it is a directory or has 0 bytes" => "Ezin izan da zure fitxategia igo karpeta bat delako edo 0 byte dituelako", diff --git a/apps/files/l10n/fa.php b/apps/files/l10n/fa.php index afa04e53ab2..24584f715b5 100644 --- a/apps/files/l10n/fa.php +++ b/apps/files/l10n/fa.php @@ -13,6 +13,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "یک پوشه موقت گم شده", "Failed to write to disk" => "نوشتن بر روی دیسک سخت ناموفق بود", "Not enough storage available" => "فضای کافی در دسترس نیست", +"Upload failed" => "بارگزاری ناموفق بود", "Invalid directory." => "فهرست راهنما نامعتبر می باشد.", "Files" => "پرونده‌ها", "Unable to upload your file as it is a directory or has 0 bytes" => "ناتوان در بارگذاری یا فایل یک پوشه است یا 0بایت دارد", diff --git a/apps/files/l10n/fi_FI.php b/apps/files/l10n/fi_FI.php index d18ff4f0207..1d29dbf79d2 100644 --- a/apps/files/l10n/fi_FI.php +++ b/apps/files/l10n/fi_FI.php @@ -11,6 +11,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Tilapäiskansio puuttuu", "Failed to write to disk" => "Levylle kirjoitus epäonnistui", "Not enough storage available" => "Tallennustilaa ei ole riittävästi käytettävissä", +"Upload failed" => "Lähetys epäonnistui", "Invalid directory." => "Virheellinen kansio.", "Files" => "Tiedostot", "Unable to upload your file as it is a directory or has 0 bytes" => "Tiedoston lähetys epäonnistui, koska sen koko on 0 tavua tai kyseessä on kansio.", @@ -30,6 +31,7 @@ $TRANSLATIONS = array( "undo" => "kumoa", "_%n folder_::_%n folders_" => array("%n kansio","%n kansiota"), "_%n file_::_%n files_" => array("%n tiedosto","%n tiedostoa"), +"{dirs} and {files}" => "{dirs} ja {files}", "_Uploading %n file_::_Uploading %n files_" => array("Lähetetään %n tiedosto","Lähetetään %n tiedostoa"), "'.' is an invalid file name." => "'.' on virheellinen nimi tiedostolle.", "File name cannot be empty." => "Tiedoston nimi ei voi olla tyhjä.", diff --git a/apps/files/l10n/fr.php b/apps/files/l10n/fr.php index 40bb81296e6..4e3b0de112a 100644 --- a/apps/files/l10n/fr.php +++ b/apps/files/l10n/fr.php @@ -13,6 +13,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Absence de dossier temporaire.", "Failed to write to disk" => "Erreur d'écriture sur le disque", "Not enough storage available" => "Plus assez d'espace de stockage disponible", +"Upload failed" => "Échec de l'envoi", "Invalid directory." => "Dossier invalide.", "Files" => "Fichiers", "Unable to upload your file as it is a directory or has 0 bytes" => "Impossible d'envoyer votre fichier dans la mesure où il s'agit d'un répertoire ou d'un fichier de taille nulle", diff --git a/apps/files/l10n/gl.php b/apps/files/l10n/gl.php index 2df738cb15f..6ec1816308a 100644 --- a/apps/files/l10n/gl.php +++ b/apps/files/l10n/gl.php @@ -13,6 +13,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Falta o cartafol temporal", "Failed to write to disk" => "Produciuse un erro ao escribir no disco", "Not enough storage available" => "Non hai espazo de almacenamento abondo", +"Upload failed" => "Produciuse un fallou no envío", "Invalid directory." => "O directorio é incorrecto.", "Files" => "Ficheiros", "Unable to upload your file as it is a directory or has 0 bytes" => "Non foi posíbel enviar o ficheiro pois ou é un directorio ou ten 0 bytes", diff --git a/apps/files/l10n/he.php b/apps/files/l10n/he.php index 7141c8442e2..40d7cc9c552 100644 --- a/apps/files/l10n/he.php +++ b/apps/files/l10n/he.php @@ -11,6 +11,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "תקיה זמנית חסרה", "Failed to write to disk" => "הכתיבה לכונן נכשלה", "Not enough storage available" => "אין די שטח פנוי באחסון", +"Upload failed" => "ההעלאה נכשלה", "Invalid directory." => "תיקייה שגויה.", "Files" => "קבצים", "Unable to upload your file as it is a directory or has 0 bytes" => "לא יכול להעלות את הקובץ מכיוון שזו תקיה או שמשקל הקובץ 0 בתים", diff --git a/apps/files/l10n/hu_HU.php b/apps/files/l10n/hu_HU.php index 741964503ff..66edbefbca5 100644 --- a/apps/files/l10n/hu_HU.php +++ b/apps/files/l10n/hu_HU.php @@ -13,6 +13,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Hiányzik egy ideiglenes mappa", "Failed to write to disk" => "Nem sikerült a lemezre történő írás", "Not enough storage available" => "Nincs elég szabad hely.", +"Upload failed" => "A feltöltés nem sikerült", "Invalid directory." => "Érvénytelen mappa.", "Files" => "Fájlok", "Unable to upload your file as it is a directory or has 0 bytes" => "Nem tölthető fel, mert mappa volt, vagy 0 byte méretű", diff --git a/apps/files/l10n/it.php b/apps/files/l10n/it.php index 2d53da21604..b0ec954d907 100644 --- a/apps/files/l10n/it.php +++ b/apps/files/l10n/it.php @@ -13,6 +13,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Manca una cartella temporanea", "Failed to write to disk" => "Scrittura su disco non riuscita", "Not enough storage available" => "Spazio di archiviazione insufficiente", +"Upload failed" => "Caricamento non riuscito", "Invalid directory." => "Cartella non valida.", "Files" => "File", "Unable to upload your file as it is a directory or has 0 bytes" => "Impossibile caricare il file poiché è una cartella o ha una dimensione di 0 byte", @@ -34,6 +35,7 @@ $TRANSLATIONS = array( "undo" => "annulla", "_%n folder_::_%n folders_" => array("%n cartella","%n cartelle"), "_%n file_::_%n files_" => array("%n file","%n file"), +"{dirs} and {files}" => "{dirs} e {files}", "_Uploading %n file_::_Uploading %n files_" => array("Caricamento di %n file in corso","Caricamento di %n file in corso"), "files uploading" => "caricamento file", "'.' is an invalid file name." => "'.' non è un nome file valido.", diff --git a/apps/files/l10n/ja_JP.php b/apps/files/l10n/ja_JP.php index 09675b63f51..5438cbb4976 100644 --- a/apps/files/l10n/ja_JP.php +++ b/apps/files/l10n/ja_JP.php @@ -13,6 +13,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "一時保存フォルダが見つかりません", "Failed to write to disk" => "ディスクへの書き込みに失敗しました", "Not enough storage available" => "ストレージに十分な空き容量がありません", +"Upload failed" => "アップロードに失敗", "Invalid directory." => "無効なディレクトリです。", "Files" => "ファイル", "Unable to upload your file as it is a directory or has 0 bytes" => "ディレクトリもしくは0バイトのファイルはアップロードできません", @@ -34,6 +35,7 @@ $TRANSLATIONS = array( "undo" => "元に戻す", "_%n folder_::_%n folders_" => array("%n個のフォルダ"), "_%n file_::_%n files_" => array("%n個のファイル"), +"{dirs} and {files}" => "{dirs} と {files}", "_Uploading %n file_::_Uploading %n files_" => array("%n 個のファイルをアップロード中"), "files uploading" => "ファイルをアップロード中", "'.' is an invalid file name." => "'.' は無効なファイル名です。", diff --git a/apps/files/l10n/ka_GE.php b/apps/files/l10n/ka_GE.php index 8fd522aebcc..455e3211a55 100644 --- a/apps/files/l10n/ka_GE.php +++ b/apps/files/l10n/ka_GE.php @@ -11,6 +11,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "დროებითი საქაღალდე არ არსებობს", "Failed to write to disk" => "შეცდომა დისკზე ჩაწერისას", "Not enough storage available" => "საცავში საკმარისი ადგილი არ არის", +"Upload failed" => "ატვირთვა ვერ განხორციელდა", "Invalid directory." => "დაუშვებელი დირექტორია.", "Files" => "ფაილები", "Unable to upload your file as it is a directory or has 0 bytes" => "თქვენი ფაილის ატვირთვა ვერ მოხერხდა. ის არის საქაღალდე და შეიცავს 0 ბაიტს", diff --git a/apps/files/l10n/ko.php b/apps/files/l10n/ko.php index 86666c70569..e2b787e7f91 100644 --- a/apps/files/l10n/ko.php +++ b/apps/files/l10n/ko.php @@ -11,6 +11,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "임시 폴더가 없음", "Failed to write to disk" => "디스크에 쓰지 못했습니다", "Not enough storage available" => "저장소가 용량이 충분하지 않습니다.", +"Upload failed" => "업로드 실패", "Invalid directory." => "올바르지 않은 디렉터리입니다.", "Files" => "파일", "Unable to upload your file as it is a directory or has 0 bytes" => "디렉터리 및 빈 파일은 업로드할 수 없습니다", diff --git a/apps/files/l10n/lt_LT.php b/apps/files/l10n/lt_LT.php index 3bcc6b84439..0530adc2ae2 100644 --- a/apps/files/l10n/lt_LT.php +++ b/apps/files/l10n/lt_LT.php @@ -11,6 +11,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Nėra laikinojo katalogo", "Failed to write to disk" => "Nepavyko įrašyti į diską", "Not enough storage available" => "Nepakanka vietos serveryje", +"Upload failed" => "Nusiuntimas nepavyko", "Invalid directory." => "Neteisingas aplankas", "Files" => "Failai", "Unable to upload your file as it is a directory or has 0 bytes" => "Neįmanoma įkelti failo - jo dydis gali būti 0 bitų arba tai katalogas", diff --git a/apps/files/l10n/lv.php b/apps/files/l10n/lv.php index 52cea5305d0..d24aaca9e4c 100644 --- a/apps/files/l10n/lv.php +++ b/apps/files/l10n/lv.php @@ -13,6 +13,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Trūkst pagaidu mapes", "Failed to write to disk" => "Neizdevās saglabāt diskā", "Not enough storage available" => "Nav pietiekami daudz vietas", +"Upload failed" => "Neizdevās augšupielādēt", "Invalid directory." => "Nederīga direktorija.", "Files" => "Datnes", "Unable to upload your file as it is a directory or has 0 bytes" => "Nevar augšupielādēt jūsu datni, jo tā ir direktorija vai arī tā ir 0 baitu liela", diff --git a/apps/files/l10n/nb_NO.php b/apps/files/l10n/nb_NO.php index 5c7780825fb..55ce978d2a2 100644 --- a/apps/files/l10n/nb_NO.php +++ b/apps/files/l10n/nb_NO.php @@ -13,6 +13,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Mangler midlertidig mappe", "Failed to write to disk" => "Klarte ikke å skrive til disk", "Not enough storage available" => "Ikke nok lagringsplass", +"Upload failed" => "Opplasting feilet", "Invalid directory." => "Ugyldig katalog.", "Files" => "Filer", "Unable to upload your file as it is a directory or has 0 bytes" => "Kan ikke laste opp filen din siden det er en mappe eller den har 0 bytes", diff --git a/apps/files/l10n/nl.php b/apps/files/l10n/nl.php index a4386992cf6..9fb13517369 100644 --- a/apps/files/l10n/nl.php +++ b/apps/files/l10n/nl.php @@ -13,6 +13,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Er ontbreekt een tijdelijke map", "Failed to write to disk" => "Schrijven naar schijf mislukt", "Not enough storage available" => "Niet genoeg opslagruimte beschikbaar", +"Upload failed" => "Upload mislukt", "Invalid directory." => "Ongeldige directory.", "Files" => "Bestanden", "Unable to upload your file as it is a directory or has 0 bytes" => "Het lukt niet om uw bestand te uploaded, omdat het een folder of 0 bytes is", diff --git a/apps/files/l10n/nn_NO.php b/apps/files/l10n/nn_NO.php index 84402057a3a..b1f38057a88 100644 --- a/apps/files/l10n/nn_NO.php +++ b/apps/files/l10n/nn_NO.php @@ -11,6 +11,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Manglar ei mellombels mappe", "Failed to write to disk" => "Klarte ikkje skriva til disk", "Not enough storage available" => "Ikkje nok lagringsplass tilgjengeleg", +"Upload failed" => "Feil ved opplasting", "Invalid directory." => "Ugyldig mappe.", "Files" => "Filer", "Unable to upload your file as it is a directory or has 0 bytes" => "Klarte ikkje lasta opp fila sidan ho er ei mappe eller er på 0 byte", diff --git a/apps/files/l10n/pl.php b/apps/files/l10n/pl.php index c55d81cea2f..4b22b080b28 100644 --- a/apps/files/l10n/pl.php +++ b/apps/files/l10n/pl.php @@ -13,6 +13,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Brak folderu tymczasowego", "Failed to write to disk" => "Błąd zapisu na dysk", "Not enough storage available" => "Za mało dostępnego miejsca", +"Upload failed" => "Wysyłanie nie powiodło się", "Invalid directory." => "Zła ścieżka.", "Files" => "Pliki", "Unable to upload your file as it is a directory or has 0 bytes" => "Nie można wczytać pliku, ponieważ jest on katalogiem lub ma 0 bajtów", diff --git a/apps/files/l10n/pt_BR.php b/apps/files/l10n/pt_BR.php index bfe34bab21f..15d0c170e66 100644 --- a/apps/files/l10n/pt_BR.php +++ b/apps/files/l10n/pt_BR.php @@ -13,6 +13,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Pasta temporária não encontrada", "Failed to write to disk" => "Falha ao escrever no disco", "Not enough storage available" => "Espaço de armazenamento insuficiente", +"Upload failed" => "Falha no envio", "Invalid directory." => "Diretório inválido.", "Files" => "Arquivos", "Unable to upload your file as it is a directory or has 0 bytes" => "Impossível enviar seus arquivo por ele ser um diretório ou ter 0 bytes.", diff --git a/apps/files/l10n/pt_PT.php b/apps/files/l10n/pt_PT.php index 8cd73a9f70c..33ec8cddce6 100644 --- a/apps/files/l10n/pt_PT.php +++ b/apps/files/l10n/pt_PT.php @@ -13,6 +13,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Está a faltar a pasta temporária", "Failed to write to disk" => "Falhou a escrita no disco", "Not enough storage available" => "Não há espaço suficiente em disco", +"Upload failed" => "Carregamento falhou", "Invalid directory." => "Directório Inválido", "Files" => "Ficheiros", "Unable to upload your file as it is a directory or has 0 bytes" => "Não é possível fazer o envio do ficheiro devido a ser uma pasta ou ter 0 bytes", @@ -32,15 +33,17 @@ $TRANSLATIONS = array( "cancel" => "cancelar", "replaced {new_name} with {old_name}" => "substituido {new_name} por {old_name}", "undo" => "desfazer", -"_%n folder_::_%n folders_" => array("",""), -"_%n file_::_%n files_" => array("",""), -"_Uploading %n file_::_Uploading %n files_" => array("",""), +"_%n folder_::_%n folders_" => array("%n pasta","%n pastas"), +"_%n file_::_%n files_" => array("%n ficheiro","%n ficheiros"), +"{dirs} and {files}" => "{dirs} e {files}", +"_Uploading %n file_::_Uploading %n files_" => array("A carregar %n ficheiro","A carregar %n ficheiros"), "files uploading" => "A enviar os ficheiros", "'.' is an invalid file name." => "'.' não é um nome de ficheiro válido!", "File name cannot be empty." => "O nome do ficheiro não pode estar vazio.", "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Nome Inválido, os caracteres '\\', '/', '<', '>', ':', '\"', '|', '?' e '*' não são permitidos.", "Your storage is full, files can not be updated or synced anymore!" => "O seu armazenamento está cheio, os ficheiros não podem ser sincronizados.", "Your storage is almost full ({usedSpacePercent}%)" => "O seu espaço de armazenamento está quase cheiro ({usedSpacePercent}%)", +"Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "A encriptação foi desactivada mas os seus ficheiros continuam encriptados. Por favor consulte as suas definições pessoais para desencriptar os ficheiros.", "Your download is being prepared. This might take some time if the files are big." => "O seu download está a ser preparado. Este processo pode demorar algum tempo se os ficheiros forem grandes.", "Name" => "Nome", "Size" => "Tamanho", diff --git a/apps/files/l10n/ro.php b/apps/files/l10n/ro.php index 3b5359384ac..59f6cc68499 100644 --- a/apps/files/l10n/ro.php +++ b/apps/files/l10n/ro.php @@ -13,6 +13,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Lipsește un director temporar", "Failed to write to disk" => "Eroare la scriere pe disc", "Not enough storage available" => "Nu este suficient spațiu disponibil", +"Upload failed" => "Încărcarea a eșuat", "Invalid directory." => "Director invalid.", "Files" => "Fișiere", "Unable to upload your file as it is a directory or has 0 bytes" => "Nu s-a putut încărca fișierul tău deoarece pare să fie un director sau are 0 bytes.", diff --git a/apps/files/l10n/ru.php b/apps/files/l10n/ru.php index e0bf97038d4..96f52a9045c 100644 --- a/apps/files/l10n/ru.php +++ b/apps/files/l10n/ru.php @@ -13,6 +13,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Отсутствует временная папка", "Failed to write to disk" => "Ошибка записи на диск", "Not enough storage available" => "Недостаточно доступного места в хранилище", +"Upload failed" => "Ошибка загрузки", "Invalid directory." => "Неправильный каталог.", "Files" => "Файлы", "Unable to upload your file as it is a directory or has 0 bytes" => "Файл не был загружен: его размер 0 байт либо это не файл, а директория.", diff --git a/apps/files/l10n/si_LK.php b/apps/files/l10n/si_LK.php index 7d24370a092..1fd18d0c56f 100644 --- a/apps/files/l10n/si_LK.php +++ b/apps/files/l10n/si_LK.php @@ -7,6 +7,7 @@ $TRANSLATIONS = array( "No file was uploaded" => "ගොනුවක් උඩුගත නොවුණි", "Missing a temporary folder" => "තාවකාලික ෆොල්ඩරයක් අතුරුදහන්", "Failed to write to disk" => "තැටිගත කිරීම අසාර්ථකයි", +"Upload failed" => "උඩුගත කිරීම අසාර්ථකයි", "Files" => "ගොනු", "Upload cancelled." => "උඩුගත කිරීම අත් හරින්න ලදී", "File upload is in progress. Leaving the page now will cancel the upload." => "උඩුගතකිරීමක් සිදුවේ. පිටුව හැර යාමෙන් එය නැවතෙනු ඇත", diff --git a/apps/files/l10n/sk_SK.php b/apps/files/l10n/sk_SK.php index e7ade013792..b30f263d244 100644 --- a/apps/files/l10n/sk_SK.php +++ b/apps/files/l10n/sk_SK.php @@ -13,6 +13,7 @@ $TRANSLATIONS = array( "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", +"Upload failed" => "Odoslanie bolo neúspešné", "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", diff --git a/apps/files/l10n/sl.php b/apps/files/l10n/sl.php index 6819ed3a3b3..08f789ff866 100644 --- a/apps/files/l10n/sl.php +++ b/apps/files/l10n/sl.php @@ -13,6 +13,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Manjka začasna mapa", "Failed to write to disk" => "Pisanje na disk je spodletelo", "Not enough storage available" => "Na voljo ni dovolj prostora", +"Upload failed" => "Pošiljanje je spodletelo", "Invalid directory." => "Neveljavna mapa.", "Files" => "Datoteke", "Unable to upload your file as it is a directory or has 0 bytes" => "Pošiljanja ni mogoče izvesti, saj gre za mapo oziroma datoteko velikosti 0 bajtov.", diff --git a/apps/files/l10n/sr.php b/apps/files/l10n/sr.php index b8cf91f4da6..73f8ace5c81 100644 --- a/apps/files/l10n/sr.php +++ b/apps/files/l10n/sr.php @@ -11,6 +11,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Недостаје привремена фасцикла", "Failed to write to disk" => "Не могу да пишем на диск", "Not enough storage available" => "Нема довољно простора", +"Upload failed" => "Отпремање није успело", "Invalid directory." => "неисправна фасцикла.", "Files" => "Датотеке", "Unable to upload your file as it is a directory or has 0 bytes" => "Не могу да отпремим датотеку као фасциклу или она има 0 бајтова", diff --git a/apps/files/l10n/sv.php b/apps/files/l10n/sv.php index 20bf77bb609..fbbe1f15910 100644 --- a/apps/files/l10n/sv.php +++ b/apps/files/l10n/sv.php @@ -13,6 +13,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "En temporär mapp saknas", "Failed to write to disk" => "Misslyckades spara till disk", "Not enough storage available" => "Inte tillräckligt med lagringsutrymme tillgängligt", +"Upload failed" => "Misslyckad uppladdning", "Invalid directory." => "Felaktig mapp.", "Files" => "Filer", "Unable to upload your file as it is a directory or has 0 bytes" => "Kan inte ladda upp din fil eftersom det är en katalog eller har 0 bytes", @@ -34,6 +35,7 @@ $TRANSLATIONS = array( "undo" => "ångra", "_%n folder_::_%n folders_" => array("%n mapp","%n mappar"), "_%n file_::_%n files_" => array("%n fil","%n filer"), +"{dirs} and {files}" => "{dirs} och {files}", "_Uploading %n file_::_Uploading %n files_" => array("Laddar upp %n fil","Laddar upp %n filer"), "files uploading" => "filer laddas upp", "'.' is an invalid file name." => "'.' är ett ogiltigt filnamn.", diff --git a/apps/files/l10n/ta_LK.php b/apps/files/l10n/ta_LK.php index fc52c16daf3..154e0d6796e 100644 --- a/apps/files/l10n/ta_LK.php +++ b/apps/files/l10n/ta_LK.php @@ -7,6 +7,7 @@ $TRANSLATIONS = array( "No file was uploaded" => "எந்த கோப்பும் பதிவேற்றப்படவில்லை", "Missing a temporary folder" => "ஒரு தற்காலிகமான கோப்புறையை காணவில்லை", "Failed to write to disk" => "வட்டில் எழுத முடியவில்லை", +"Upload failed" => "பதிவேற்றல் தோல்வியுற்றது", "Files" => "கோப்புகள்", "Unable to upload your file as it is a directory or has 0 bytes" => "அடைவு அல்லது 0 bytes ஐ கொண்டுள்ளதால் உங்களுடைய கோப்பை பதிவேற்ற முடியவில்லை", "Upload cancelled." => "பதிவேற்றல் இரத்து செய்யப்பட்டுள்ளது", diff --git a/apps/files/l10n/th_TH.php b/apps/files/l10n/th_TH.php index b65c0bc705e..aa8cf4e9b50 100644 --- a/apps/files/l10n/th_TH.php +++ b/apps/files/l10n/th_TH.php @@ -11,6 +11,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "โฟลเดอร์ชั่วคราวเกิดการสูญหาย", "Failed to write to disk" => "เขียนข้อมูลลงแผ่นดิสก์ล้มเหลว", "Not enough storage available" => "เหลือพื้นที่ไม่เพียงสำหรับใช้งาน", +"Upload failed" => "อัพโหลดล้มเหลว", "Invalid directory." => "ไดเร็กทอรี่ไม่ถูกต้อง", "Files" => "ไฟล์", "Unable to upload your file as it is a directory or has 0 bytes" => "ไม่สามารถอัพโหลดไฟล์ของคุณได้ เนื่องจากไฟล์ดังกล่าวเป็นไดเร็กทอรี่ หรือ มีขนาดไฟล์ 0 ไบต์", diff --git a/apps/files/l10n/tr.php b/apps/files/l10n/tr.php index d317b11d532..dd089757d5f 100644 --- a/apps/files/l10n/tr.php +++ b/apps/files/l10n/tr.php @@ -13,6 +13,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Geçici dizin eksik", "Failed to write to disk" => "Diske yazılamadı", "Not enough storage available" => "Yeterli disk alanı yok", +"Upload failed" => "Yükleme başarısız", "Invalid directory." => "Geçersiz dizin.", "Files" => "Dosyalar", "Unable to upload your file as it is a directory or has 0 bytes" => "Dosyanızın boyutu 0 byte olduğundan veya bir dizin olduğundan yüklenemedi", diff --git a/apps/files/l10n/uk.php b/apps/files/l10n/uk.php index 79a18231d2c..781590cff35 100644 --- a/apps/files/l10n/uk.php +++ b/apps/files/l10n/uk.php @@ -11,6 +11,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Відсутній тимчасовий каталог", "Failed to write to disk" => "Невдалося записати на диск", "Not enough storage available" => "Місця більше немає", +"Upload failed" => "Помилка завантаження", "Invalid directory." => "Невірний каталог.", "Files" => "Файли", "Unable to upload your file as it is a directory or has 0 bytes" => "Неможливо завантажити ваш файл тому, що він тека або файл розміром 0 байт", diff --git a/apps/files/l10n/vi.php b/apps/files/l10n/vi.php index 02b184d218c..b98a14f6d7b 100644 --- a/apps/files/l10n/vi.php +++ b/apps/files/l10n/vi.php @@ -11,6 +11,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "Không tìm thấy thư mục tạm", "Failed to write to disk" => "Không thể ghi ", "Not enough storage available" => "Không đủ không gian lưu trữ", +"Upload failed" => "Tải lên thất bại", "Invalid directory." => "Thư mục không hợp lệ", "Files" => "Tập tin", "Unable to upload your file as it is a directory or has 0 bytes" => "Không thể tải lên tập tin của bạn ,nó như là một thư mục hoặc có 0 byte", diff --git a/apps/files/l10n/zh_CN.php b/apps/files/l10n/zh_CN.php index fa2e3403f4b..59b09ad950b 100644 --- a/apps/files/l10n/zh_CN.php +++ b/apps/files/l10n/zh_CN.php @@ -13,6 +13,7 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "缺少临时目录", "Failed to write to disk" => "写入磁盘失败", "Not enough storage available" => "没有足够的存储空间", +"Upload failed" => "上传失败", "Invalid directory." => "无效文件夹。", "Files" => "文件", "Unable to upload your file as it is a directory or has 0 bytes" => "无法上传您的文件,文件夹或者空文件", diff --git a/apps/files/l10n/zh_TW.php b/apps/files/l10n/zh_TW.php index 6ba8bf35de8..21c929f81a6 100644 --- a/apps/files/l10n/zh_TW.php +++ b/apps/files/l10n/zh_TW.php @@ -1,11 +1,11 @@ "無法移動 %s - 同名的檔案已經存在", +"Could not move %s - File with this name already exists" => "無法移動 %s ,同名的檔案已經存在", "Could not move %s" => "無法移動 %s", -"Unable to set upload directory." => "無法設定上傳目錄。", +"Unable to set upload directory." => "無法設定上傳目錄", "Invalid Token" => "無效的 token", -"No file was uploaded. Unknown error" => "沒有檔案被上傳。未知的錯誤。", -"There is no error, the file uploaded with success" => "無錯誤,檔案上傳成功", +"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" => "只有檔案的一部分被上傳", @@ -13,13 +13,14 @@ $TRANSLATIONS = array( "Missing a temporary folder" => "找不到暫存資料夾", "Failed to write to disk" => "寫入硬碟失敗", "Not enough storage available" => "儲存空間不足", -"Invalid directory." => "無效的資料夾。", +"Upload failed" => "上傳失敗", +"Invalid directory." => "無效的資料夾", "Files" => "檔案", -"Unable to upload your file as it is a directory or has 0 bytes" => "無法上傳您的檔案因為它可能是一個目錄或檔案大小為0", +"Unable to upload your file as it is a directory or has 0 bytes" => "無法上傳您的檔案,因為它可能是一個目錄或檔案大小為0", "Not enough space available" => "沒有足夠的可用空間", "Upload cancelled." => "上傳已取消", -"File upload is in progress. Leaving the page now will cancel the upload." => "檔案上傳中。離開此頁面將會取消上傳。", -"URL cannot be empty." => "URL 不能為空白。", +"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" => "無效的資料夾名稱,'Shared' 的使用被 ownCloud 保留", "Error" => "錯誤", "Share" => "分享", @@ -34,43 +35,44 @@ $TRANSLATIONS = array( "undo" => "復原", "_%n folder_::_%n folders_" => array("%n 個資料夾"), "_%n file_::_%n files_" => array("%n 個檔案"), +"{dirs} and {files}" => "{dirs} 和 {files}", "_Uploading %n file_::_Uploading %n files_" => array("%n 個檔案正在上傳"), -"files uploading" => "檔案正在上傳中", -"'.' is an invalid file name." => "'.' 是不合法的檔名。", -"File name cannot be empty." => "檔名不能為空。", -"Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "檔名不合法,不允許 '\\', '/', '<', '>', ':', '\"', '|', '?' 和 '*' 。", +"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}%)", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "加密已經被停用,但是您的舊檔案還是處於已加密的狀態,請前往個人設定以解密這些檔案。", "Your download is being prepared. This might take some time if the files are big." => "正在準備您的下載,若您的檔案較大,將會需要更多時間。", "Name" => "名稱", "Size" => "大小", -"Modified" => "修改", +"Modified" => "修改時間", "%s could not be renamed" => "無法重新命名 %s", "Upload" => "上傳", "File handling" => "檔案處理", -"Maximum upload size" => "最大上傳檔案大小", +"Maximum upload size" => "上傳限制", "max. possible: " => "最大允許:", -"Needed for multi-file and folder downloads." => "針對多檔案和目錄下載是必填的。", -"Enable ZIP-download" => "啟用 Zip 下載", +"Needed for multi-file and folder downloads." => "下載多檔案和目錄時,此項是必填的。", +"Enable ZIP-download" => "啟用 ZIP 下載", "0 is unlimited" => "0代表沒有限制", -"Maximum input size for ZIP files" => "針對 ZIP 檔案最大輸入大小", +"Maximum input size for ZIP files" => "ZIP 壓縮前的原始大小限制", "Save" => "儲存", "New" => "新增", "Text file" => "文字檔", "Folder" => "資料夾", "From link" => "從連結", -"Deleted files" => "已刪除的檔案", +"Deleted files" => "回收桶", "Cancel upload" => "取消上傳", -"You don’t have write permissions here." => "您在這裡沒有編輯權。", -"Nothing in here. Upload something!" => "這裡什麼也沒有,上傳一些東西吧!", +"You don’t have write permissions here." => "您在這裡沒有編輯權", +"Nothing in here. Upload something!" => "這裡還沒有東西,上傳一些吧!", "Download" => "下載", -"Unshare" => "取消共享", +"Unshare" => "取消分享", "Delete" => "刪除", "Upload too large" => "上傳過大", -"The files you are trying to upload exceed the maximum size for file uploads on this server." => "您試圖上傳的檔案已超過伺服器的最大檔案大小限制。", +"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" => "目前掃描", -"Upgrading filesystem cache..." => "正在升級檔案系統快取..." +"Current scanning" => "正在掃描", +"Upgrading filesystem cache..." => "正在升級檔案系統快取…" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/apps/files_sharing/l10n/zh_TW.php b/apps/files_sharing/l10n/zh_TW.php index 56d67ea7ce7..5cc33fd3830 100644 --- a/apps/files_sharing/l10n/zh_TW.php +++ b/apps/files_sharing/l10n/zh_TW.php @@ -1,9 +1,9 @@ "請檢查您的密碼並再試一次。", +"The password is wrong. Try again." => "請檢查您的密碼並再試一次", "Password" => "密碼", "Submit" => "送出", -"Sorry, this link doesn’t seem to work anymore." => "抱歉,這連結看來已經不能用了。", +"Sorry, this link doesn’t seem to work anymore." => "抱歉,此連結已經失效", "Reasons might be:" => "可能的原因:", "the item was removed" => "項目已經移除", "the link expired" => "連結過期", diff --git a/apps/files_trashbin/l10n/pt_PT.php b/apps/files_trashbin/l10n/pt_PT.php index 0c88d132b5c..9dccc773cb1 100644 --- a/apps/files_trashbin/l10n/pt_PT.php +++ b/apps/files_trashbin/l10n/pt_PT.php @@ -8,8 +8,8 @@ $TRANSLATIONS = array( "Delete permanently" => "Eliminar permanentemente", "Name" => "Nome", "Deleted" => "Apagado", -"_%n folder_::_%n folders_" => array("",""), -"_%n file_::_%n files_" => array("",""), +"_%n folder_::_%n folders_" => array("%n pasta","%n pastas"), +"_%n file_::_%n files_" => array("%n ficheiro","%n ficheiros"), "restored" => "Restaurado", "Nothing in here. Your trash bin is empty!" => "Não hà ficheiros. O lixo está vazio!", "Restore" => "Restaurar", diff --git a/apps/files_trashbin/l10n/zh_TW.php b/apps/files_trashbin/l10n/zh_TW.php index 2dfc484fc7f..bfc2fc659de 100644 --- a/apps/files_trashbin/l10n/zh_TW.php +++ b/apps/files_trashbin/l10n/zh_TW.php @@ -11,7 +11,7 @@ $TRANSLATIONS = array( "_%n folder_::_%n folders_" => array("%n 個資料夾"), "_%n file_::_%n files_" => array("%n 個檔案"), "restored" => "已還原", -"Nothing in here. Your trash bin is empty!" => "您的垃圾桶是空的!", +"Nothing in here. Your trash bin is empty!" => "您的回收桶是空的!", "Restore" => "還原", "Delete" => "刪除", "Deleted Files" => "已刪除的檔案" diff --git a/core/l10n/ar.php b/core/l10n/ar.php index 84f076f3018..17c3ab293c6 100644 --- a/core/l10n/ar.php +++ b/core/l10n/ar.php @@ -1,5 +1,6 @@ "مجموعة", "Category type not provided." => "نوع التصنيف لم يدخل", "No category to add?" => "ألا توجد فئة للإضافة؟", "This category already exists: %s" => "هذا التصنيف موجود مسبقا : %s", diff --git a/core/l10n/ca.php b/core/l10n/ca.php index c389ad01883..a77924b1218 100644 --- a/core/l10n/ca.php +++ b/core/l10n/ca.php @@ -1,6 +1,7 @@ "%s ha compartit »%s« amb tu", +"group" => "grup", "Category type not provided." => "No s'ha especificat el tipus de categoria.", "No category to add?" => "No voleu afegir cap categoria?", "This category already exists: %s" => "Aquesta categoria ja existeix: %s", diff --git a/core/l10n/cs_CZ.php b/core/l10n/cs_CZ.php index d104a9fbe80..1301dae32f3 100644 --- a/core/l10n/cs_CZ.php +++ b/core/l10n/cs_CZ.php @@ -1,6 +1,7 @@ "%s s vámi sdílí »%s«", +"group" => "skupina", "Turned on maintenance mode" => "Zapnut režim údržby", "Turned off maintenance mode" => "Vypnut režim údržby", "Updated database" => "Zaktualizována databáze", diff --git a/core/l10n/cy_GB.php b/core/l10n/cy_GB.php index 442970fbb0b..1f6c50524b3 100644 --- a/core/l10n/cy_GB.php +++ b/core/l10n/cy_GB.php @@ -1,5 +1,6 @@ "grŵp", "Category type not provided." => "Math o gategori heb ei ddarparu.", "No category to add?" => "Dim categori i'w ychwanegu?", "This category already exists: %s" => "Mae'r categori hwn eisoes yn bodoli: %s", diff --git a/core/l10n/da.php b/core/l10n/da.php index 5a1fe65f441..abaea4ba6a5 100644 --- a/core/l10n/da.php +++ b/core/l10n/da.php @@ -1,6 +1,7 @@ "%s delte »%s« med sig", +"group" => "gruppe", "Turned on maintenance mode" => "Startede vedligeholdelsestilstand", "Turned off maintenance mode" => "standsede vedligeholdelsestilstand", "Updated database" => "Opdaterede database", diff --git a/core/l10n/de.php b/core/l10n/de.php index 655305488f3..1f205a9db5b 100644 --- a/core/l10n/de.php +++ b/core/l10n/de.php @@ -1,6 +1,7 @@ "%s teilte »%s« mit Ihnen", +"group" => "Gruppe", "Turned on maintenance mode" => "Wartungsmodus eingeschaltet", "Turned off maintenance mode" => "Wartungsmodus ausgeschaltet", "Updated database" => "Datenbank aktualisiert", diff --git a/core/l10n/de_CH.php b/core/l10n/de_CH.php index 2dde9eb5367..6e01b3e2083 100644 --- a/core/l10n/de_CH.php +++ b/core/l10n/de_CH.php @@ -1,6 +1,7 @@ "%s teilt »%s« mit Ihnen", +"group" => "Gruppe", "Category type not provided." => "Kategorie nicht angegeben.", "No category to add?" => "Keine Kategorie hinzuzufügen?", "This category already exists: %s" => "Die nachfolgende Kategorie existiert bereits: %s", diff --git a/core/l10n/de_DE.php b/core/l10n/de_DE.php index 1311a76d693..a29fc4547c6 100644 --- a/core/l10n/de_DE.php +++ b/core/l10n/de_DE.php @@ -1,6 +1,7 @@ "%s geteilt »%s« mit Ihnen", +"group" => "Gruppe", "Turned on maintenance mode" => "Wartungsmodus eingeschaltet ", "Turned off maintenance mode" => "Wartungsmodus ausgeschaltet", "Updated database" => "Datenbank aktualisiert", diff --git a/core/l10n/el.php b/core/l10n/el.php index 51a3a68d788..54c13c89bfa 100644 --- a/core/l10n/el.php +++ b/core/l10n/el.php @@ -1,6 +1,7 @@ "Ο %s διαμοιράστηκε μαζί σας το »%s«", +"group" => "ομάδα", "Category type not provided." => "Δεν δώθηκε τύπος κατηγορίας.", "No category to add?" => "Δεν έχετε κατηγορία να προσθέσετε;", "This category already exists: %s" => "Αυτή η κατηγορία υπάρχει ήδη: %s", diff --git a/core/l10n/eo.php b/core/l10n/eo.php index fc688b103a6..669f677d46d 100644 --- a/core/l10n/eo.php +++ b/core/l10n/eo.php @@ -1,6 +1,7 @@ "%s kunhavigis “%s” kun vi", +"group" => "grupo", "Category type not provided." => "Ne proviziĝis tipon de kategorio.", "No category to add?" => "Ĉu neniu kategorio estas aldonota?", "This category already exists: %s" => "Tiu kategorio jam ekzistas: %s", diff --git a/core/l10n/es.php b/core/l10n/es.php index 9e7f5656683..077f677e972 100644 --- a/core/l10n/es.php +++ b/core/l10n/es.php @@ -1,6 +1,7 @@ "%s compatido »%s« contigo", +"group" => "grupo", "Category type not provided." => "Tipo de categoría no proporcionado.", "No category to add?" => "¿Ninguna categoría para añadir?", "This category already exists: %s" => "Esta categoría ya existe: %s", diff --git a/core/l10n/es_AR.php b/core/l10n/es_AR.php index cd51ba2f441..389251de8aa 100644 --- a/core/l10n/es_AR.php +++ b/core/l10n/es_AR.php @@ -1,6 +1,7 @@ "%s compartió \"%s\" con vos", +"group" => "grupo", "Category type not provided." => "Tipo de categoría no provisto. ", "No category to add?" => "¿Ninguna categoría para añadir?", "This category already exists: %s" => "Esta categoría ya existe: %s", diff --git a/core/l10n/et_EE.php b/core/l10n/et_EE.php index d9d007819d3..5391a144349 100644 --- a/core/l10n/et_EE.php +++ b/core/l10n/et_EE.php @@ -1,6 +1,7 @@ "%s jagas sinuga »%s«", +"group" => "grupp", "Turned on maintenance mode" => "Haldusreziimis", "Turned off maintenance mode" => "Haldusreziim lõpetatud", "Updated database" => "Uuendatud andmebaas", diff --git a/core/l10n/eu.php b/core/l10n/eu.php index ae241e93873..1e0eb36e1e3 100644 --- a/core/l10n/eu.php +++ b/core/l10n/eu.php @@ -1,6 +1,7 @@ "%s-ek »%s« zurekin partekatu du", +"group" => "taldea", "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", diff --git a/core/l10n/fa.php b/core/l10n/fa.php index a9e17a194ae..82356c0ab12 100644 --- a/core/l10n/fa.php +++ b/core/l10n/fa.php @@ -1,6 +1,7 @@ "%s به اشتراک گذاشته شده است »%s« توسط شما", +"group" => "گروه", "Category type not provided." => "نوع دسته بندی ارائه نشده است.", "No category to add?" => "آیا گروه دیگری برای افزودن ندارید", "This category already exists: %s" => "این دسته هم اکنون وجود دارد: %s", diff --git a/core/l10n/fi_FI.php b/core/l10n/fi_FI.php index 7efeaa1fac2..25f5f466ef9 100644 --- a/core/l10n/fi_FI.php +++ b/core/l10n/fi_FI.php @@ -1,6 +1,7 @@ "%s jakoi kohteen »%s« kanssasi", +"group" => "ryhmä", "Turned on maintenance mode" => "Siirrytty ylläpitotilaan", "Turned off maintenance mode" => "Ylläpitotila laitettu pois päältä", "Updated database" => "Tietokanta ajan tasalla", diff --git a/core/l10n/fr.php b/core/l10n/fr.php index 3f85cb1503f..81fad258337 100644 --- a/core/l10n/fr.php +++ b/core/l10n/fr.php @@ -1,6 +1,7 @@ "%s partagé »%s« avec vous", +"group" => "groupe", "Category type not provided." => "Type de catégorie non spécifié.", "No category to add?" => "Pas de catégorie à ajouter ?", "This category already exists: %s" => "Cette catégorie existe déjà : %s", diff --git a/core/l10n/gl.php b/core/l10n/gl.php index 56027e4cf1a..663d769ee98 100644 --- a/core/l10n/gl.php +++ b/core/l10n/gl.php @@ -1,6 +1,7 @@ "%s compartiu «%s» con vostede", +"group" => "grupo", "Turned on maintenance mode" => "Modo de mantemento activado", "Turned off maintenance mode" => "Modo de mantemento desactivado", "Updated database" => "Base de datos actualizada", diff --git a/core/l10n/he.php b/core/l10n/he.php index b197a67b116..d5d83fea330 100644 --- a/core/l10n/he.php +++ b/core/l10n/he.php @@ -1,6 +1,7 @@ "%s שיתף/שיתפה איתך את »%s«", +"group" => "קבוצה", "Category type not provided." => "סוג הקטגוריה לא סופק.", "No category to add?" => "אין קטגוריה להוספה?", "This category already exists: %s" => "הקטגוריה הבאה כבר קיימת: %s", diff --git a/core/l10n/hu_HU.php b/core/l10n/hu_HU.php index c231d7f9a44..93f96e17847 100644 --- a/core/l10n/hu_HU.php +++ b/core/l10n/hu_HU.php @@ -1,6 +1,7 @@ "%s megosztotta Önnel ezt: »%s«", +"group" => "csoport", "Category type not provided." => "Nincs megadva a kategória típusa.", "No category to add?" => "Nincs hozzáadandó kategória?", "This category already exists: %s" => "Ez a kategória már létezik: %s", diff --git a/core/l10n/id.php b/core/l10n/id.php index fc6cb788fb0..0f222918c95 100644 --- a/core/l10n/id.php +++ b/core/l10n/id.php @@ -1,5 +1,6 @@ "grup", "Category type not provided." => "Tipe kategori tidak diberikan.", "No category to add?" => "Tidak ada kategori yang akan ditambahkan?", "This category already exists: %s" => "Kategori ini sudah ada: %s", diff --git a/core/l10n/it.php b/core/l10n/it.php index 63a7545d891..71f6ffdf50e 100644 --- a/core/l10n/it.php +++ b/core/l10n/it.php @@ -1,6 +1,7 @@ "%s ha condiviso «%s» con te", +"group" => "gruppo", "Turned on maintenance mode" => "Modalità di manutenzione attivata", "Turned off maintenance mode" => "Modalità di manutenzione disattivata", "Updated database" => "Database aggiornato", diff --git a/core/l10n/ja_JP.php b/core/l10n/ja_JP.php index 2ab85f13d30..82e4153367d 100644 --- a/core/l10n/ja_JP.php +++ b/core/l10n/ja_JP.php @@ -1,6 +1,13 @@ "%sが あなたと »%s«を共有しました", +"group" => "グループ", +"Turned on maintenance mode" => "メンテナンスモードがオンになりました", +"Turned off maintenance mode" => "メンテナンスモードがオフになりました", +"Updated database" => "データベース更新完了", +"Updating filecache, this may take really long..." => "ファイルキャッシュを更新しています、しばらく掛かる恐れがあります...", +"Updated filecache" => "ファイルキャッシュ更新完了", +"... %d%% done ..." => "... %d%% 完了 ...", "Category type not provided." => "カテゴリタイプは提供されていません。", "No category to add?" => "追加するカテゴリはありませんか?", "This category already exists: %s" => "このカテゴリはすでに存在します: %s", diff --git a/core/l10n/ka_GE.php b/core/l10n/ka_GE.php index 0f4b23906d6..15cacc8b218 100644 --- a/core/l10n/ka_GE.php +++ b/core/l10n/ka_GE.php @@ -1,5 +1,6 @@ "ჯგუფი", "Category type not provided." => "კატეგორიის ტიპი არ არის განხილული.", "No category to add?" => "არ არის კატეგორია დასამატებლად?", "This category already exists: %s" => "კატეგორია უკვე არსებობს: %s", diff --git a/core/l10n/ko.php b/core/l10n/ko.php index c4b6b9f091b..0265f38dc07 100644 --- a/core/l10n/ko.php +++ b/core/l10n/ko.php @@ -1,5 +1,6 @@ "그룹", "Category type not provided." => "분류 형식이 제공되지 않았습니다.", "No category to add?" => "추가할 분류가 없습니까?", "This category already exists: %s" => "분류가 이미 존재합니다: %s", diff --git a/core/l10n/lb.php b/core/l10n/lb.php index 8a5a28957c4..5f4c415bed7 100644 --- a/core/l10n/lb.php +++ b/core/l10n/lb.php @@ -1,6 +1,7 @@ "Den/D' %s huet »%s« mat dir gedeelt", +"group" => "Grupp", "Category type not provided." => "Typ vun der Kategorie net uginn.", "No category to add?" => "Keng Kategorie fir bäizesetzen?", "This category already exists: %s" => "Dës Kategorie existéiert schon: %s", diff --git a/core/l10n/lt_LT.php b/core/l10n/lt_LT.php index 5db8f6c21a9..7b0c3ed4f80 100644 --- a/core/l10n/lt_LT.php +++ b/core/l10n/lt_LT.php @@ -1,6 +1,7 @@ "%s pasidalino »%s« su tavimi", +"group" => "grupė", "Category type not provided." => "Kategorija nenurodyta.", "No category to add?" => "Nepridėsite jokios kategorijos?", "This category already exists: %s" => "Ši kategorija jau egzistuoja: %s", diff --git a/core/l10n/lv.php b/core/l10n/lv.php index ddfc6008983..57b9186f3cf 100644 --- a/core/l10n/lv.php +++ b/core/l10n/lv.php @@ -1,6 +1,7 @@ "%s kopīgots »%s« ar jums", +"group" => "grupa", "Category type not provided." => "Kategorijas tips nav norādīts.", "No category to add?" => "Nav kategoriju, ko pievienot?", "This category already exists: %s" => "Šāda kategorija jau eksistē — %s", diff --git a/core/l10n/mk.php b/core/l10n/mk.php index e2416dc052c..6a8ec50061c 100644 --- a/core/l10n/mk.php +++ b/core/l10n/mk.php @@ -1,5 +1,6 @@ "група", "Category type not provided." => "Не беше доставен тип на категорија.", "No category to add?" => "Нема категорија да се додаде?", "Object type not provided." => "Не беше доставен тип на објект.", diff --git a/core/l10n/nb_NO.php b/core/l10n/nb_NO.php index 393dc0d7d11..132b65daab2 100644 --- a/core/l10n/nb_NO.php +++ b/core/l10n/nb_NO.php @@ -1,6 +1,7 @@ "%s delte »%s« med deg", +"group" => "gruppe", "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.", diff --git a/core/l10n/nl.php b/core/l10n/nl.php index 6a2d1a03a10..6d5d5dc9917 100644 --- a/core/l10n/nl.php +++ b/core/l10n/nl.php @@ -1,6 +1,7 @@ "%s deelde »%s« met jou", +"group" => "groep", "Category type not provided." => "Categorie type niet opgegeven.", "No category to add?" => "Geen categorie om toe te voegen?", "This category already exists: %s" => "Deze categorie bestaat al: %s", diff --git a/core/l10n/nn_NO.php b/core/l10n/nn_NO.php index f73cb96076e..942824ecb74 100644 --- a/core/l10n/nn_NO.php +++ b/core/l10n/nn_NO.php @@ -1,5 +1,6 @@ "gruppe", "Category type not provided." => "Ingen kategoritype.", "No category to add?" => "Ingen kategori å leggja til?", "This category already exists: %s" => "Denne kategorien finst alt: %s", diff --git a/core/l10n/oc.php b/core/l10n/oc.php index 68bf2f89a2a..0ca3cc427a0 100644 --- a/core/l10n/oc.php +++ b/core/l10n/oc.php @@ -1,5 +1,6 @@ "grop", "No category to add?" => "Pas de categoria d'ajustar ?", "No categories selected for deletion." => "Pas de categorias seleccionadas per escafar.", "Sunday" => "Dimenge", diff --git a/core/l10n/pl.php b/core/l10n/pl.php index 1188e555316..48f6dff6184 100644 --- a/core/l10n/pl.php +++ b/core/l10n/pl.php @@ -1,6 +1,7 @@ "%s Współdzielone »%s« z tobą", +"group" => "grupa", "Category type not provided." => "Nie podano typu kategorii.", "No category to add?" => "Brak kategorii do dodania?", "This category already exists: %s" => "Ta kategoria już istnieje: %s", diff --git a/core/l10n/pt_BR.php b/core/l10n/pt_BR.php index 8db5262e94b..84762cde5e4 100644 --- a/core/l10n/pt_BR.php +++ b/core/l10n/pt_BR.php @@ -1,6 +1,7 @@ "%s compartilhou »%s« com você", +"group" => "grupo", "Category type not provided." => "Tipo de categoria não fornecido.", "No category to add?" => "Nenhuma categoria a adicionar?", "This category already exists: %s" => "Esta categoria já existe: %s", diff --git a/core/l10n/pt_PT.php b/core/l10n/pt_PT.php index 25ddaa322d5..2afb9ef9b39 100644 --- a/core/l10n/pt_PT.php +++ b/core/l10n/pt_PT.php @@ -1,6 +1,7 @@ "%s partilhado »%s« contigo", +"group" => "grupo", "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", diff --git a/core/l10n/ro.php b/core/l10n/ro.php index 7e33003bcce..ca0e409f71f 100644 --- a/core/l10n/ro.php +++ b/core/l10n/ro.php @@ -1,6 +1,7 @@ "%s Partajat »%s« cu tine de", +"group" => "grup", "Category type not provided." => "Tipul de categorie nu a fost specificat.", "No category to add?" => "Nici o categorie de adăugat?", "This category already exists: %s" => "Această categorie deja există: %s", diff --git a/core/l10n/ru.php b/core/l10n/ru.php index 503ca579ce7..d79326aff32 100644 --- a/core/l10n/ru.php +++ b/core/l10n/ru.php @@ -1,6 +1,7 @@ "%s поделился »%s« с вами", +"group" => "группа", "Category type not provided." => "Тип категории не предоставлен", "No category to add?" => "Нет категорий для добавления?", "This category already exists: %s" => "Эта категория уже существует: %s", diff --git a/core/l10n/si_LK.php b/core/l10n/si_LK.php index 475cdf5613a..184566b5f1c 100644 --- a/core/l10n/si_LK.php +++ b/core/l10n/si_LK.php @@ -1,5 +1,6 @@ "කණ්ඩායම", "No categories selected for deletion." => "මකා දැමීම සඳහා ප්‍රවර්ගයන් තෝරා නොමැත.", "Sunday" => "ඉරිදා", "Monday" => "සඳුදා", diff --git a/core/l10n/sk_SK.php b/core/l10n/sk_SK.php index 82745d617e9..ed061068b4b 100644 --- a/core/l10n/sk_SK.php +++ b/core/l10n/sk_SK.php @@ -1,6 +1,7 @@ "%s s Vami zdieľa »%s«", +"group" => "skupina", "Turned on maintenance mode" => "Mód údržby zapnutý", "Turned off maintenance mode" => "Mód údržby vypnutý", "Updated database" => "Databáza aktualizovaná", diff --git a/core/l10n/sl.php b/core/l10n/sl.php index 0b72f1dc4e4..460ca99eeab 100644 --- a/core/l10n/sl.php +++ b/core/l10n/sl.php @@ -1,6 +1,7 @@ "%s je delil »%s« z vami", +"group" => "skupina", "Category type not provided." => "Vrsta kategorije ni podana.", "No category to add?" => "Ali ni kategorije za dodajanje?", "This category already exists: %s" => "Kategorija že obstaja: %s", diff --git a/core/l10n/sr.php b/core/l10n/sr.php index 3de06c70883..89c13c49254 100644 --- a/core/l10n/sr.php +++ b/core/l10n/sr.php @@ -1,5 +1,6 @@ "група", "Category type not provided." => "Врста категорије није унет.", "No category to add?" => "Додати још неку категорију?", "Object type not provided." => "Врста објекта није унета.", diff --git a/core/l10n/sv.php b/core/l10n/sv.php index 74d285a35a6..9bfd91d2691 100644 --- a/core/l10n/sv.php +++ b/core/l10n/sv.php @@ -1,6 +1,7 @@ "%s delade »%s« med dig", +"group" => "Grupp", "Turned on maintenance mode" => "Aktiverade underhållsläge", "Turned off maintenance mode" => "Deaktiverade underhållsläge", "Updated database" => "Uppdaterade databasen", diff --git a/core/l10n/ta_LK.php b/core/l10n/ta_LK.php index 3fc461d4284..a1a286275eb 100644 --- a/core/l10n/ta_LK.php +++ b/core/l10n/ta_LK.php @@ -1,5 +1,6 @@ "குழு", "Category type not provided." => "பிரிவு வகைகள் வழங்கப்படவில்லை", "No category to add?" => "சேர்ப்பதற்கான வகைகள் இல்லையா?", "Object type not provided." => "பொருள் வகை வழங்கப்படவில்லை", diff --git a/core/l10n/th_TH.php b/core/l10n/th_TH.php index bb5181fd9e6..90fec245c95 100644 --- a/core/l10n/th_TH.php +++ b/core/l10n/th_TH.php @@ -1,5 +1,6 @@ "กลุ่มผู้ใช้งาน", "Category type not provided." => "ยังไม่ได้ระบุชนิดของหมวดหมู่", "No category to add?" => "ไม่มีหมวดหมู่ที่ต้องการเพิ่ม?", "Object type not provided." => "ชนิดของวัตถุยังไม่ได้ถูกระบุ", diff --git a/core/l10n/tr.php b/core/l10n/tr.php index 6dd54057950..8b6c261d64c 100644 --- a/core/l10n/tr.php +++ b/core/l10n/tr.php @@ -1,6 +1,7 @@ "%s sizinle »%s« paylaşımında bulundu", +"group" => "grup", "Category type not provided." => "Kategori türü girilmedi.", "No category to add?" => "Eklenecek kategori yok?", "This category already exists: %s" => "Bu kategori zaten mevcut: %s", diff --git a/core/l10n/ug.php b/core/l10n/ug.php index eb16e841c67..e77718233de 100644 --- a/core/l10n/ug.php +++ b/core/l10n/ug.php @@ -1,5 +1,6 @@ "گۇرۇپپا", "Sunday" => "يەكشەنبە", "Monday" => "دۈشەنبە", "Tuesday" => "سەيشەنبە", diff --git a/core/l10n/uk.php b/core/l10n/uk.php index 6fcb23d0a32..8e74855dd08 100644 --- a/core/l10n/uk.php +++ b/core/l10n/uk.php @@ -1,5 +1,6 @@ "група", "Category type not provided." => "Не вказано тип категорії.", "No category to add?" => "Відсутні категорії для додавання?", "This category already exists: %s" => "Ця категорія вже існує: %s", diff --git a/core/l10n/vi.php b/core/l10n/vi.php index 305839b4760..1ccf03c0aaa 100644 --- a/core/l10n/vi.php +++ b/core/l10n/vi.php @@ -1,5 +1,6 @@ "nhóm", "Category type not provided." => "Kiểu hạng mục không được cung cấp.", "No category to add?" => "Không có danh mục được thêm?", "This category already exists: %s" => "Danh mục này đã tồn tại: %s", diff --git a/core/l10n/zh_CN.php b/core/l10n/zh_CN.php index 08d70dfee66..ddcc902c8d7 100644 --- a/core/l10n/zh_CN.php +++ b/core/l10n/zh_CN.php @@ -1,6 +1,7 @@ "%s 向您分享了 »%s«", +"group" => "组", "Turned on maintenance mode" => "启用维护模式", "Turned off maintenance mode" => "关闭维护模式", "Updated database" => "数据库已更新", diff --git a/core/l10n/zh_TW.php b/core/l10n/zh_TW.php index fabec7537d1..c25a58dc8ea 100644 --- a/core/l10n/zh_TW.php +++ b/core/l10n/zh_TW.php @@ -1,10 +1,17 @@ "%s 與您分享了 %s", +"group" => "群組", +"Turned on maintenance mode" => "已啓用維護模式", +"Turned off maintenance mode" => "已停用維護模式", +"Updated database" => "已更新資料庫", +"Updating filecache, this may take really long..." => "更新檔案快取,這可能要很久…", +"Updated filecache" => "已更新檔案快取", +"... %d%% done ..." => "已完成 %d%%", "Category type not provided." => "未提供分類類型。", "No category to add?" => "沒有可增加的分類?", -"This category already exists: %s" => "分類已經存在: %s", -"Object type not provided." => "不支援的物件類型", +"This category already exists: %s" => "分類已經存在:%s", +"Object type not provided." => "未指定物件類型", "%s ID not provided." => "未提供 %s ID 。", "Error adding %s to favorites." => "加入 %s 到最愛時發生錯誤。", "No categories selected for deletion." => "沒有選擇要刪除的分類。", @@ -56,20 +63,20 @@ $TRANSLATIONS = array( "Error while changing permissions" => "修改權限時發生錯誤", "Shared with you and the group {group} by {owner}" => "由 {owner} 分享給您和 {group}", "Shared with you by {owner}" => "{owner} 已經和您分享", -"Share with" => "與...分享", +"Share with" => "分享給別人", "Share with link" => "使用連結分享", "Password protect" => "密碼保護", "Password" => "密碼", "Allow Public Upload" => "允許任何人上傳", "Email link to person" => "將連結 email 給別人", "Send" => "寄出", -"Set expiration date" => "設置到期日", +"Set expiration date" => "指定到期日", "Expiration date" => "到期日", "Share via email:" => "透過電子郵件分享:", "No people found" => "沒有找到任何人", "Resharing is not allowed" => "不允許重新分享", "Shared in {item} with {user}" => "已和 {user} 分享 {item}", -"Unshare" => "取消共享", +"Unshare" => "取消分享", "can edit" => "可編輯", "access control" => "存取控制", "create" => "建立", @@ -77,15 +84,15 @@ $TRANSLATIONS = array( "delete" => "刪除", "share" => "分享", "Password protected" => "受密碼保護", -"Error unsetting expiration date" => "解除過期日設定失敗", -"Error setting expiration date" => "錯誤的到期日設定", -"Sending ..." => "正在傳送...", +"Error unsetting expiration date" => "取消到期日設定失敗", +"Error setting expiration date" => "設定到期日發生錯誤", +"Sending ..." => "正在傳送…", "Email sent" => "Email 已寄出", "The update was unsuccessful. Please report this issue to the ownCloud community." => "升級失敗,請將此問題回報 ownCloud 社群。", "The update was successful. Redirecting you to ownCloud now." => "升級成功,正將您重新導向至 ownCloud 。", "%s password reset" => "%s 密碼重設", "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 系統管理員。", +"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." => "重設密碼的連結將會寄到您的電子郵件信箱。", "Username" => "使用者名稱", @@ -102,8 +109,8 @@ $TRANSLATIONS = array( "Admin" => "管理", "Help" => "說明", "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", +"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 看看", "Edit categories" => "編輯分類", "Add" => "增加", "Security Warning" => "安全性警告", @@ -115,7 +122,7 @@ $TRANSLATIONS = array( "For information how to properly configure your server, please see the documentation." => "請參考說明文件以瞭解如何正確設定您的伺服器。", "Create an admin account" => "建立一個管理者帳號", "Advanced" => "進階", -"Data folder" => "資料夾", +"Data folder" => "資料儲存位置", "Configure the database" => "設定資料庫", "will be used" => "將會使用", "Database user" => "資料庫使用者", @@ -132,8 +139,8 @@ $TRANSLATIONS = array( "Lost your password?" => "忘記密碼?", "remember" => "記住", "Log in" => "登入", -"Alternative Logins" => "替代登入方法", -"Hey there,

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

    Cheers!" => "嗨,

    通知您,%s 與您分享了 %s ,
    看一下吧", -"Updating ownCloud to version %s, this may take a while." => "正在將 Owncloud 升級至版本 %s ,這可能需要一點時間。" +"Alternative Logins" => "其他登入方法", +"Hey there,

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

    Cheers!" => "嗨,

    通知您一聲,%s 與您分享了 %s ,
    看一下吧", +"Updating ownCloud to version %s, this may take a while." => "正在將 ownCloud 升級至版本 %s ,這可能需要一點時間。" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/l10n/ar/core.po b/l10n/ar/core.po index c9594857940..47fc1f25710 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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -24,7 +24,7 @@ msgstr "" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "مجموعة" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/ar/files.po b/l10n/ar/files.po index b8086649e4a..39c537e3a5d 100644 --- a/l10n/ar/files.po +++ b/l10n/ar/files.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# ibrahim_9090 , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-09-01 13:30+0000\n" +"Last-Translator: ibrahim_9090 \n" "Language-Team: Arabic (http://www.transifex.com/projects/p/owncloud/language/ar/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -29,11 +30,11 @@ msgstr "فشل في نقل %s" #: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." -msgstr "" +msgstr "غير قادر على تحميل المجلد" #: ajax/upload.php:22 msgid "Invalid Token" -msgstr "" +msgstr "علامة غير صالحة" #: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" @@ -76,7 +77,7 @@ msgstr "لا يوجد مساحة تخزينية كافية" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "عملية الرفع فشلت" #: ajax/upload.php:127 msgid "Invalid directory." @@ -92,7 +93,7 @@ msgstr "فشل في رفع ملفاتك , إما أنها مجلد أو حجمه #: js/file-upload.js:24 msgid "Not enough space available" -msgstr "" +msgstr "لا توجد مساحة كافية" #: js/file-upload.js:64 msgid "Upload cancelled." @@ -109,9 +110,9 @@ msgstr "عنوان ال URL لا يجوز أن يكون فارغا." #: js/file-upload.js:244 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" -msgstr "" +msgstr "تسمية ملف غير صالحة. استخدام الاسم \"shared\" محجوز بواسطة ownCloud" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "خطأ" @@ -127,35 +128,35 @@ msgstr "حذف بشكل دائم" msgid "Rename" msgstr "إعادة تسميه" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "قيد الانتظار" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} موجود مسبقا" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "استبدال" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "اقترح إسم" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "إلغاء" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "استبدل {new_name} بـ {old_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "تراجع" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" @@ -165,7 +166,7 @@ msgstr[3] "" msgstr[4] "" msgstr[5] "" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "" @@ -175,11 +176,11 @@ msgstr[3] "" msgstr[4] "" msgstr[5] "" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" -msgstr "" +msgstr "{dirs} و {files}" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" @@ -189,9 +190,9 @@ msgstr[3] "" msgstr[4] "" msgstr[5] "" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" -msgstr "" +msgstr "يتم تحميل الملفات" #: js/files.js:52 msgid "'.' is an invalid file name." @@ -219,7 +220,7 @@ msgstr "مساحتك التخزينية امتلأت تقريبا " msgid "" "Encryption was disabled but your files are still encrypted. Please go to " "your personal settings to decrypt your files." -msgstr "" +msgstr "تم تعطيل التشفير لكن ملفاتك لا تزال مشفرة. فضلا اذهب إلى الإعدادات الشخصية لإزالة التشفير عن ملفاتك." #: js/files.js:245 msgid "" @@ -227,15 +228,15 @@ msgid "" "big." msgstr "جاري تجهيز عملية التحميل. قد تستغرق بعض الوقت اذا كان حجم الملفات كبير." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "اسم" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "حجم" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "معدل" @@ -312,33 +313,33 @@ msgstr "لا تملك صلاحيات الكتابة هنا." msgid "Nothing in here. Upload something!" msgstr "لا يوجد شيء هنا. إرفع بعض الملفات!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "تحميل" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "إلغاء مشاركة" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "إلغاء" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "حجم الترفيع أعلى من المسموح" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "حجم الملفات التي تريد ترفيعها أعلى من المسموح على الخادم." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "يرجى الانتظار , جاري فحص الملفات ." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "الفحص الحالي" diff --git a/l10n/bg_BG/files.po b/l10n/bg_BG/files.po index a57ea88b76f..3d91bd55b82 100644 --- a/l10n/bg_BG/files.po +++ b/l10n/bg_BG/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -76,7 +76,7 @@ msgstr "" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Качването е неуспешно" #: ajax/upload.php:127 msgid "Invalid directory." @@ -111,7 +111,7 @@ msgstr "" msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Грешка" @@ -127,57 +127,57 @@ msgstr "Изтриване завинаги" msgid "Rename" msgstr "Преименуване" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "Чакащо" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "препокриване" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "отказ" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "възтановяване" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "" @@ -215,15 +215,15 @@ msgid "" "big." msgstr "" -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Име" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Размер" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Променено" @@ -300,33 +300,33 @@ msgstr "" msgid "Nothing in here. Upload something!" msgstr "Няма нищо тук. Качете нещо." -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Изтегляне" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Изтриване" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Файлът който сте избрали за качване е прекалено голям" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Файловете които се опитвате да качите са по-големи от позволеното за сървъра." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Файловете се претърсват, изчакайте." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "" diff --git a/l10n/ca/core.po b/l10n/ca/core.po index 21836c30a8b..6585814d749 100644 --- a/l10n/ca/core.po +++ b/l10n/ca/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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -26,7 +26,7 @@ msgstr "%s ha compartit »%s« amb tu" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "grup" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/ca/files.po b/l10n/ca/files.po index 8bedc7b3618..ecc26a9b132 100644 --- a/l10n/ca/files.po +++ b/l10n/ca/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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -78,7 +78,7 @@ msgstr "No hi ha prou espai disponible" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "La pujada ha fallat" #: ajax/upload.php:127 msgid "Invalid directory." @@ -113,7 +113,7 @@ msgstr "La URL no pot ser buida" msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nom de carpeta no vàlid. L'ús de 'Shared' està reservat per Owncloud" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Error" @@ -129,57 +129,57 @@ msgstr "Esborra permanentment" msgid "Rename" msgstr "Reanomena" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "Pendent" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} ja existeix" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "substitueix" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "sugereix un nom" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "cancel·la" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "s'ha substituït {old_name} per {new_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "desfés" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n carpeta" msgstr[1] "%n carpetes" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n fitxer" msgstr[1] "%n fitxers" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "Pujant %n fitxer" msgstr[1] "Pujant %n fitxers" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "fitxers pujant" @@ -217,15 +217,15 @@ msgid "" "big." msgstr "S'està preparant la baixada. Pot trigar una estona si els fitxers són grans." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Nom" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Mida" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Modificat" @@ -302,33 +302,33 @@ msgstr "No teniu permisos d'escriptura aquí." msgid "Nothing in here. Upload something!" msgstr "Res per aquí. Pugeu alguna cosa!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Baixa" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Deixa de compartir" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Esborra" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "La pujada és massa gran" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Els fitxers que esteu intentant pujar excedeixen la mida màxima de pujada del servidor" -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "S'estan escanejant els fitxers, espereu" -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Actualment escanejant" diff --git a/l10n/cs_CZ/core.po b/l10n/cs_CZ/core.po index 41edc0ee8a0..3689101c5df 100644 --- a/l10n/cs_CZ/core.po +++ b/l10n/cs_CZ/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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-31 08:00+0000\n" +"Last-Translator: pstast \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" @@ -29,7 +29,7 @@ msgstr "%s s vámi sdílí »%s«" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "skupina" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/cs_CZ/files.po b/l10n/cs_CZ/files.po index 94cdb7b62b6..503fc964125 100644 --- a/l10n/cs_CZ/files.po +++ b/l10n/cs_CZ/files.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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-31 08:10+0000\n" +"Last-Translator: pstast \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" @@ -80,7 +80,7 @@ msgstr "Nedostatek dostupného úložného prostoru" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Odesílání selhalo" #: ajax/upload.php:127 msgid "Invalid directory." @@ -115,7 +115,7 @@ msgstr "URL nemůže být prázdná." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Název složky nelze použít. Použití názvu 'Shared' je ownCloudem rezervováno" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Chyba" @@ -131,60 +131,60 @@ msgstr "Trvale odstranit" msgid "Rename" msgstr "Přejmenovat" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "Nevyřízené" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} již existuje" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "nahradit" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "navrhnout název" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "zrušit" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "nahrazeno {new_name} s {old_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "vrátit zpět" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n složka" msgstr[1] "%n složky" msgstr[2] "%n složek" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n soubor" msgstr[1] "%n soubory" msgstr[2] "%n souborů" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" -msgstr "" +msgstr "{dirs} a {files}" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "Nahrávám %n soubor" msgstr[1] "Nahrávám %n soubory" msgstr[2] "Nahrávám %n souborů" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "soubory se odesílají" @@ -222,15 +222,15 @@ msgid "" "big." msgstr "Vaše soubory ke stažení se připravují. Pokud jsou velké, může to chvíli trvat." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Název" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Velikost" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Upraveno" @@ -307,33 +307,33 @@ msgstr "Nemáte zde práva zápisu." msgid "Nothing in here. Upload something!" msgstr "Žádný obsah. Nahrajte něco." -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Stáhnout" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Zrušit sdílení" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Smazat" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Odesílaný soubor je příliš velký" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Soubory, které se snažíte odeslat, překračují limit velikosti odesílání na tomto serveru." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Soubory se prohledávají, prosím čekejte." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Aktuální prohledávání" diff --git a/l10n/cy_GB/core.po b/l10n/cy_GB/core.po index 638507e646f..700bfe97729 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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -25,7 +25,7 @@ msgstr "" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "grŵp" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/cy_GB/files.po b/l10n/cy_GB/files.po index c1e83e56cc9..7507b666b09 100644 --- a/l10n/cy_GB/files.po +++ b/l10n/cy_GB/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -76,7 +76,7 @@ msgstr "Dim digon o le storio ar gael" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Methwyd llwytho i fyny" #: ajax/upload.php:127 msgid "Invalid directory." @@ -111,7 +111,7 @@ msgstr "Does dim hawl cael URL gwag." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Gwall" @@ -127,35 +127,35 @@ msgstr "Dileu'n barhaol" msgid "Rename" msgstr "Ailenwi" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "I ddod" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} yn bodoli'n barod" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "amnewid" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "awgrymu enw" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "diddymu" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "newidiwyd {new_name} yn lle {old_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "dadwneud" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" @@ -163,7 +163,7 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "" @@ -171,11 +171,11 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" @@ -183,7 +183,7 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "ffeiliau'n llwytho i fyny" @@ -221,15 +221,15 @@ msgid "" "big." msgstr "Wrthi'n paratoi i lwytho i lawr. Gall gymryd peth amser os yw'r ffeiliau'n fawr." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Enw" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Maint" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Addaswyd" @@ -306,33 +306,33 @@ msgstr "Nid oes gennych hawliau ysgrifennu fan hyn." msgid "Nothing in here. Upload something!" msgstr "Does dim byd fan hyn. Llwythwch rhywbeth i fyny!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Llwytho i lawr" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Dad-rannu" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Dileu" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Maint llwytho i fyny'n rhy fawr" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Mae'r ffeiliau rydych yn ceisio llwytho i fyny'n fwy na maint mwyaf llwytho ffeiliau i fyny ar y gweinydd hwn." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Arhoswch, mae ffeiliau'n cael eu sganio." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Sganio cyfredol" diff --git a/l10n/da/core.po b/l10n/da/core.po index 5c71f405c59..adc2e0f26ca 100644 --- a/l10n/da/core.po +++ b/l10n/da/core.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -28,7 +28,7 @@ msgstr "%s delte »%s« med sig" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "gruppe" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/da/files.po b/l10n/da/files.po index 3f9da02827c..fb180ee25be 100644 --- a/l10n/da/files.po +++ b/l10n/da/files.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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-31 17:27+0000\n" +"Last-Translator: Sappe\n" "Language-Team: Danish (http://www.transifex.com/projects/p/owncloud/language/da/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -79,7 +79,7 @@ msgstr "Der er ikke nok plads til rådlighed" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Upload fejlede" #: ajax/upload.php:127 msgid "Invalid directory." @@ -114,7 +114,7 @@ msgstr "URLen kan ikke være tom." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Ugyldigt mappenavn. Brug af 'Shared' er forbeholdt af ownCloud" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Fejl" @@ -130,57 +130,57 @@ msgstr "Slet permanent" msgid "Rename" msgstr "Omdøb" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "Afventer" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} eksisterer allerede" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "erstat" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "foreslå navn" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "fortryd" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "erstattede {new_name} med {old_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "fortryd" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n mappe" msgstr[1] "%n mapper" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n fil" msgstr[1] "%n filer" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" -msgstr "" +msgstr "{dirs} og {files}" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "Uploader %n fil" msgstr[1] "Uploader %n filer" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "uploader filer" @@ -218,15 +218,15 @@ msgid "" "big." msgstr "Dit download forberedes. Dette kan tage lidt tid ved større filer." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Navn" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Størrelse" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Ændret" @@ -303,33 +303,33 @@ msgstr "Du har ikke skriverettigheder her." msgid "Nothing in here. Upload something!" msgstr "Her er tomt. Upload noget!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Download" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Fjern deling" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Slet" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Upload er for stor" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Filerne, du prøver at uploade, er større end den maksimale størrelse for fil-upload på denne server." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Filerne bliver indlæst, vent venligst." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Indlæser" diff --git a/l10n/de/core.po b/l10n/de/core.po index 23574ea9813..0a572015282 100644 --- a/l10n/de/core.po +++ b/l10n/de/core.po @@ -15,8 +15,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+0000\n" "Last-Translator: I Robot \n" "Language-Team: German \n" "MIME-Version: 1.0\n" @@ -32,7 +32,7 @@ msgstr "%s teilte »%s« mit Ihnen" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "Gruppe" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/de/files.po b/l10n/de/files.po index eb931d39214..21a1d8cafb2 100644 --- a/l10n/de/files.po +++ b/l10n/de/files.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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-31 18:00+0000\n" +"Last-Translator: Mario Siegmann \n" "Language-Team: German \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -82,7 +82,7 @@ msgstr "Nicht genug Speicher vorhanden." #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Hochladen fehlgeschlagen" #: ajax/upload.php:127 msgid "Invalid directory." @@ -117,7 +117,7 @@ msgstr "Die URL darf nicht leer sein." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Der Ordnername ist ungültig. Nur ownCloud kann den Ordner \"Shared\" anlegen" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Fehler" @@ -133,57 +133,57 @@ msgstr "Endgültig löschen" msgid "Rename" msgstr "Umbenennen" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "Ausstehend" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} existiert bereits" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "ersetzen" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "Namen vorschlagen" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "abbrechen" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "{old_name} ersetzt durch {new_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "rückgängig machen" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n Ordner" msgstr[1] "%n Ordner" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n Datei" msgstr[1] "%n Dateien" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" -msgstr "" +msgstr "{dirs} und {files}" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "%n Datei wird hochgeladen" msgstr[1] "%n Dateien werden hochgeladen" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "Dateien werden hoch geladen" @@ -221,15 +221,15 @@ msgid "" "big." msgstr "Dein Download wird vorbereitet. Dies kann bei größeren Dateien etwas dauern." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Name" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Größe" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Geändert" @@ -306,33 +306,33 @@ msgstr "Du hast hier keine Schreib-Berechtigung." msgid "Nothing in here. Upload something!" msgstr "Alles leer. Lade etwas hoch!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Herunterladen" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Freigabe aufheben" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Löschen" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Der Upload ist zu groß" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Die Datei überschreitet die Maximalgröße für Uploads auf diesem Server." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Dateien werden gescannt, bitte warten." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Scanne" diff --git a/l10n/de_CH/core.po b/l10n/de_CH/core.po index 47c4fa12e7f..9469c953841 100644 --- a/l10n/de_CH/core.po +++ b/l10n/de_CH/core.po @@ -16,8 +16,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Switzerland) (http://www.transifex.com/projects/p/owncloud/language/de_CH/)\n" "MIME-Version: 1.0\n" @@ -33,7 +33,7 @@ msgstr "%s teilt »%s« mit Ihnen" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "Gruppe" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/de_CH/files.po b/l10n/de_CH/files.po index a1c58799f33..95d27fc4a67 100644 --- a/l10n/de_CH/files.po +++ b/l10n/de_CH/files.po @@ -16,8 +16,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Switzerland) (http://www.transifex.com/projects/p/owncloud/language/de_CH/)\n" "MIME-Version: 1.0\n" @@ -85,7 +85,7 @@ msgstr "Nicht genug Speicher vorhanden." #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Hochladen fehlgeschlagen" #: ajax/upload.php:127 msgid "Invalid directory." @@ -120,7 +120,7 @@ msgstr "Die URL darf nicht leer sein." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Ungültiger Ordnername. Die Verwendung von «Shared» ist ownCloud vorbehalten." -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Fehler" @@ -136,57 +136,57 @@ msgstr "Endgültig löschen" msgid "Rename" msgstr "Umbenennen" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "Ausstehend" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} existiert bereits" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "ersetzen" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "Namen vorschlagen" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "abbrechen" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "{old_name} wurde ersetzt durch {new_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "rückgängig machen" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "%n Ordner" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "" msgstr[1] "%n Dateien" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "%n Datei wird hochgeladen" msgstr[1] "%n Dateien werden hochgeladen" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "Dateien werden hoch geladen" @@ -224,15 +224,15 @@ msgid "" "big." msgstr "Ihr Download wird vorbereitet. Dies kann bei grösseren Dateien etwas dauern." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Name" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Grösse" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Geändert" @@ -309,33 +309,33 @@ msgstr "Sie haben hier keine Schreib-Berechtigungen." msgid "Nothing in here. Upload something!" msgstr "Alles leer. Laden Sie etwas hoch!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Herunterladen" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Freigabe aufheben" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Löschen" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Der Upload ist zu gross" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Die Datei überschreitet die Maximalgrösse für Uploads auf diesem Server." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Dateien werden gescannt, bitte warten." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Scanne" diff --git a/l10n/de_DE/core.po b/l10n/de_DE/core.po index 1a3f292dc07..000f19fdda5 100644 --- a/l10n/de_DE/core.po +++ b/l10n/de_DE/core.po @@ -15,8 +15,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" @@ -32,7 +32,7 @@ msgstr "%s geteilt »%s« mit Ihnen" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "Gruppe" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/de_DE/files.po b/l10n/de_DE/files.po index 1282d6306c9..cf3e5f3eb62 100644 --- a/l10n/de_DE/files.po +++ b/l10n/de_DE/files.po @@ -7,6 +7,7 @@ # SteinQuadrat, 2013 # I Robot , 2013 # Marcel Kühlhorn , 2013 +# Mario Siegmann , 2013 # traductor , 2013 # noxin , 2013 # Mirodin , 2013 @@ -15,9 +16,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-31 18:00+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" @@ -84,7 +85,7 @@ msgstr "Nicht genug Speicher vorhanden." #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Hochladen fehlgeschlagen" #: ajax/upload.php:127 msgid "Invalid directory." @@ -119,7 +120,7 @@ msgstr "Die URL darf nicht leer sein." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Ungültiger Ordnername. Die Verwendung von \"Shared\" ist ownCloud vorbehalten." -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Fehler" @@ -135,57 +136,57 @@ msgstr "Endgültig löschen" msgid "Rename" msgstr "Umbenennen" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "Ausstehend" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} existiert bereits" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "ersetzen" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "Namen vorschlagen" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "abbrechen" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "{old_name} wurde ersetzt durch {new_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "rückgängig machen" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n Ordner" msgstr[1] "%n Ordner" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n Datei" msgstr[1] "%n Dateien" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" -msgstr "" +msgstr "{dirs} und {files}" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "%n Datei wird hoch geladen" msgstr[1] "%n Dateien werden hoch geladen" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "Dateien werden hoch geladen" @@ -223,15 +224,15 @@ msgid "" "big." msgstr "Ihr Download wird vorbereitet. Dies kann bei größeren Dateien etwas dauern." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Name" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Größe" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Geändert" @@ -308,33 +309,33 @@ msgstr "Sie haben hier keine Schreib-Berechtigungen." msgid "Nothing in here. Upload something!" msgstr "Alles leer. Laden Sie etwas hoch!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Herunterladen" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Freigabe aufheben" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Löschen" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Der Upload ist zu groß" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Die Datei überschreitet die Maximalgröße für Uploads auf diesem Server." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Dateien werden gescannt, bitte warten." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Scanne" diff --git a/l10n/el/core.po b/l10n/el/core.po index 31ff37b3eeb..ca0b80f304b 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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -31,7 +31,7 @@ msgstr "Ο %s διαμοιράστηκε μαζί σας το »%s«" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "ομάδα" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/el/files.po b/l10n/el/files.po index 50dcd3f9477..bd017bcd8e7 100644 --- a/l10n/el/files.po +++ b/l10n/el/files.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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -79,7 +79,7 @@ msgstr "Μη επαρκής διαθέσιμος αποθηκευτικός χώ #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Η μεταφόρτωση απέτυχε" #: ajax/upload.php:127 msgid "Invalid directory." @@ -114,7 +114,7 @@ msgstr "Η URL δεν μπορεί να είναι κενή." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Μη έγκυρο όνομα φακέλου. Η χρήση του 'Κοινόχρηστος' χρησιμοποιείται από το ownCloud" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Σφάλμα" @@ -130,57 +130,57 @@ msgstr "Μόνιμη διαγραφή" msgid "Rename" msgstr "Μετονομασία" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "Εκκρεμεί" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} υπάρχει ήδη" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "αντικατέστησε" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "συνιστώμενο όνομα" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "ακύρωση" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "αντικαταστάθηκε το {new_name} με {old_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "αναίρεση" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n φάκελος" msgstr[1] "%n φάκελοι" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n αρχείο" msgstr[1] "%n αρχεία" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "Ανέβασμα %n αρχείου" msgstr[1] "Ανέβασμα %n αρχείων" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "αρχεία ανεβαίνουν" @@ -218,15 +218,15 @@ msgid "" "big." msgstr "Η λήψη προετοιμάζεται. Αυτό μπορεί να πάρει ώρα εάν τα αρχεία έχουν μεγάλο μέγεθος." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Όνομα" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Μέγεθος" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Τροποποιήθηκε" @@ -303,33 +303,33 @@ msgstr "Δεν έχετε δικαιώματα εγγραφής εδώ." msgid "Nothing in here. Upload something!" msgstr "Δεν υπάρχει τίποτα εδώ. Ανεβάστε κάτι!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Λήψη" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Σταμάτημα διαμοιρασμού" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Διαγραφή" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Πολύ μεγάλο αρχείο προς αποστολή" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Τα αρχεία που προσπαθείτε να ανεβάσετε υπερβαίνουν το μέγιστο μέγεθος αποστολής αρχείων σε αυτόν τον διακομιστή." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Τα αρχεία σαρώνονται, παρακαλώ περιμένετε." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Τρέχουσα ανίχνευση" diff --git a/l10n/en_GB/core.po b/l10n/en_GB/core.po index 26e1f3c14a9..95570ce896f 100644 --- a/l10n/en_GB/core.po +++ b/l10n/en_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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:40+0000\n" "Last-Translator: mnestis \n" "Language-Team: English (United Kingdom) (http://www.transifex.com/projects/p/owncloud/language/en_GB/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/en_GB/files.po b/l10n/en_GB/files.po index 04300969e06..f7d558ebe2a 100644 --- a/l10n/en_GB/files.po +++ b/l10n/en_GB/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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:40+0000\n" "Last-Translator: mnestis \n" "Language-Team: English (United Kingdom) (http://www.transifex.com/projects/p/owncloud/language/en_GB/)\n" "MIME-Version: 1.0\n" @@ -112,7 +112,7 @@ msgstr "URL cannot be empty." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Error" @@ -128,57 +128,57 @@ msgstr "Delete permanently" msgid "Rename" msgstr "Rename" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "Pending" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} already exists" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "replace" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "suggest name" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "cancel" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "replaced {new_name} with {old_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "undo" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n folder" msgstr[1] "%n folders" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n file" msgstr[1] "%n files" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "{dirs} and {files}" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "Uploading %n file" msgstr[1] "Uploading %n files" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "files uploading" @@ -216,15 +216,15 @@ msgid "" "big." msgstr "Your download is being prepared. This might take some time if the files are big." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Name" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Size" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Modified" @@ -301,33 +301,33 @@ msgstr "You don’t have write permission here." msgid "Nothing in here. Upload something!" msgstr "Nothing in here. Upload something!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Download" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Unshare" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Delete" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Upload too large" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "The files you are trying to upload exceed the maximum size for file uploads on this server." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Files are being scanned, please wait." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Current scanning" diff --git a/l10n/eo/core.po b/l10n/eo/core.po index 1c4e9c35417..dd1d6ebc5e2 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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -26,7 +26,7 @@ msgstr "%s kunhavigis “%s” kun vi" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "grupo" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/eo/files.po b/l10n/eo/files.po index af8d82e0aab..3db69832bef 100644 --- a/l10n/eo/files.po +++ b/l10n/eo/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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -77,7 +77,7 @@ msgstr "Ne haveblas sufiĉa memoro" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Alŝuto malsukcesis" #: ajax/upload.php:127 msgid "Invalid directory." @@ -112,7 +112,7 @@ msgstr "URL ne povas esti malplena." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nevalida dosierujnomo. La uzo de “Shared” estas rezervita de ownCloud." -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Eraro" @@ -128,57 +128,57 @@ msgstr "Forigi por ĉiam" msgid "Rename" msgstr "Alinomigi" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "Traktotaj" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} jam ekzistas" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "anstataŭigi" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "sugesti nomon" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "nuligi" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "anstataŭiĝis {new_name} per {old_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "malfari" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "dosieroj estas alŝutataj" @@ -216,15 +216,15 @@ msgid "" "big." msgstr "Via elŝuto pretiĝatas. Ĉi tio povas daŭri iom da tempo se la dosieroj grandas." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Nomo" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Grando" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Modifita" @@ -301,33 +301,33 @@ msgstr "Vi ne havas permeson skribi ĉi tie." msgid "Nothing in here. Upload something!" msgstr "Nenio estas ĉi tie. Alŝutu ion!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Elŝuti" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Malkunhavigi" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Forigi" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Alŝuto tro larĝa" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "La dosieroj, kiujn vi provas alŝuti, transpasas la maksimuman grandon por dosieralŝutoj en ĉi tiu servilo." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Dosieroj estas skanataj, bonvolu atendi." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Nuna skano" diff --git a/l10n/es/core.po b/l10n/es/core.po index d700f044722..4a006b413d6 100644 --- a/l10n/es/core.po +++ b/l10n/es/core.po @@ -16,8 +16,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -33,7 +33,7 @@ msgstr "%s compatido »%s« contigo" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "grupo" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/es/files.po b/l10n/es/files.po index 764ab8c2f26..150143b933d 100644 --- a/l10n/es/files.po +++ b/l10n/es/files.po @@ -12,8 +12,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -81,7 +81,7 @@ msgstr "No hay suficiente espacio disponible" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Error en la subida" #: ajax/upload.php:127 msgid "Invalid directory." @@ -116,7 +116,7 @@ msgstr "La URL no puede estar vacía." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nombre de carpeta invalido. El uso de \"Shared\" está reservado por ownCloud" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Error" @@ -132,57 +132,57 @@ msgstr "Eliminar permanentemente" msgid "Rename" msgstr "Renombrar" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "Pendiente" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} ya existe" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "reemplazar" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "sugerir nombre" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "cancelar" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "reemplazado {new_name} con {old_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "deshacer" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "subiendo archivos" @@ -220,15 +220,15 @@ msgid "" "big." msgstr "Su descarga está siendo preparada. Esto puede tardar algún tiempo si los archivos son grandes." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Nombre" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Tamaño" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Modificado" @@ -305,33 +305,33 @@ msgstr "No tiene permisos de escritura aquí." msgid "Nothing in here. Upload something!" msgstr "No hay nada aquí. ¡Suba algo!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Descargar" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Dejar de compartir" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Eliminar" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Subida demasido grande" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Los archivos que estás intentando subir sobrepasan el tamaño máximo permitido en este servidor." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Los archivos están siendo escaneados, por favor espere." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Escaneo actual" diff --git a/l10n/es/lib.po b/l10n/es/lib.po index 45ab92b80c1..43f652d3a58 100644 --- a/l10n/es/lib.po +++ b/l10n/es/lib.po @@ -3,15 +3,16 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Dharth , 2013 # pablomillaquen , 2013 # xhiena , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-31 23:40+0000\n" +"Last-Translator: Dharth \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" @@ -24,11 +25,11 @@ msgstr "" msgid "" "App \"%s\" can't be installed because it is not compatible with this version" " of ownCloud." -msgstr "" +msgstr "La aplicación \"%s\" no puede ser instalada porque no es compatible con esta versión de ownCloud" #: app.php:250 msgid "No app name specified" -msgstr "" +msgstr "No se ha especificado nombre de la aplicación" #: app.php:361 msgid "Help" @@ -88,44 +89,44 @@ msgstr "Descargue los archivos en trozos más pequeños, por separado o solicít #: installer.php:63 msgid "No source specified when installing app" -msgstr "" +msgstr "No se ha especificado origen cuando se ha instalado la aplicación" #: installer.php:70 msgid "No href specified when installing app from http" -msgstr "" +msgstr "No href especificado cuando se ha instalado la aplicación" #: installer.php:75 msgid "No path specified when installing app from local file" -msgstr "" +msgstr "Sin path especificado cuando se ha instalado la aplicación desde el fichero local" #: installer.php:89 #, php-format msgid "Archives of type %s are not supported" -msgstr "" +msgstr "Ficheros de tipo %s no son soportados" #: installer.php:103 msgid "Failed to open archive when installing app" -msgstr "" +msgstr "Fallo de apertura de fichero mientras se instala la aplicación" #: installer.php:123 msgid "App does not provide an info.xml file" -msgstr "" +msgstr "La aplicación no suministra un fichero info.xml" #: installer.php:129 msgid "App can't be installed because of not allowed code in the App" -msgstr "" +msgstr "La aplicación no puede ser instalada por tener código no autorizado en la aplicación" #: installer.php:138 msgid "" "App can't be installed because it is not compatible with this version of " "ownCloud" -msgstr "" +msgstr "La aplicación no se puede instalar porque no es compatible con esta versión de ownCloud" #: installer.php:144 msgid "" "App can't be installed because it contains the true tag " "which is not allowed for non shipped apps" -msgstr "" +msgstr "La aplicación no se puede instalar porque contiene la etiqueta\n\ntrue\n\nque no está permitida para aplicaciones no distribuidas" #: installer.php:150 msgid "" @@ -266,51 +267,51 @@ msgstr "Su servidor web aún no está configurado adecuadamente para permitir si msgid "Please double check the installation guides." msgstr "Por favor, vuelva a comprobar las guías de instalación." -#: template/functions.php:80 +#: template/functions.php:96 msgid "seconds ago" msgstr "hace segundos" -#: template/functions.php:81 +#: template/functions.php:97 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: template/functions.php:82 +#: template/functions.php:98 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: template/functions.php:83 +#: template/functions.php:99 msgid "today" msgstr "hoy" -#: template/functions.php:84 +#: template/functions.php:100 msgid "yesterday" msgstr "ayer" -#: template/functions.php:85 +#: template/functions.php:101 msgid "%n day go" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: template/functions.php:86 +#: template/functions.php:102 msgid "last month" msgstr "mes pasado" -#: template/functions.php:87 +#: template/functions.php:103 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:104 msgid "last year" msgstr "año pasado" -#: template/functions.php:89 +#: template/functions.php:105 msgid "years ago" msgstr "hace años" diff --git a/l10n/es_AR/core.po b/l10n/es_AR/core.po index ee3f80addf2..6dd2898c492 100644 --- a/l10n/es_AR/core.po +++ b/l10n/es_AR/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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -25,7 +25,7 @@ msgstr "%s compartió \"%s\" con vos" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "grupo" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/es_AR/files.po b/l10n/es_AR/files.po index 9e7e5a0922a..3a53061ec69 100644 --- a/l10n/es_AR/files.po +++ b/l10n/es_AR/files.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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -79,7 +79,7 @@ msgstr "No hay suficiente almacenamiento" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Error al subir el archivo" #: ajax/upload.php:127 msgid "Invalid directory." @@ -114,7 +114,7 @@ msgstr "La URL no puede estar vacía" msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nombre de directorio inválido. El uso de \"Shared\" está reservado por ownCloud" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Error" @@ -130,57 +130,57 @@ msgstr "Borrar permanentemente" msgid "Rename" msgstr "Cambiar nombre" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "Pendientes" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} ya existe" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "reemplazar" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "sugerir nombre" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "cancelar" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "se reemplazó {new_name} con {old_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "deshacer" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "Subiendo archivos" @@ -218,15 +218,15 @@ msgid "" "big." msgstr "Tu descarga se está preparando. Esto puede demorar si los archivos son muy grandes." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Nombre" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Tamaño" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Modificado" @@ -303,33 +303,33 @@ msgstr "No tenés permisos de escritura acá." msgid "Nothing in here. Upload something!" msgstr "No hay nada. ¡Subí contenido!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Descargar" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Dejar de compartir" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Borrar" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "El tamaño del archivo que querés subir es demasiado grande" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Los archivos que intentás subir sobrepasan el tamaño máximo " -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Se están escaneando los archivos, por favor esperá." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Escaneo actual" diff --git a/l10n/et_EE/core.po b/l10n/et_EE/core.po index 7b3a992357f..95b66e51b7a 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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -26,7 +26,7 @@ msgstr "%s jagas sinuga »%s«" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "grupp" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/et_EE/files.po b/l10n/et_EE/files.po index f69d10f72ec..79f5e340cfb 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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -78,7 +78,7 @@ msgstr "Saadaval pole piisavalt ruumi" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Üleslaadimine ebaõnnestus" #: ajax/upload.php:127 msgid "Invalid directory." @@ -113,7 +113,7 @@ msgstr "URL ei saa olla tühi." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Vigane kausta nimi. 'Shared' kasutamine on reserveeritud ownCloud poolt." -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Viga" @@ -129,57 +129,57 @@ msgstr "Kustuta jäädavalt" msgid "Rename" msgstr "Nimeta ümber" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "Ootel" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} on juba olemas" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "asenda" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "soovita nime" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "loobu" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "asendas nime {old_name} nimega {new_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "tagasi" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n kataloog" msgstr[1] "%n kataloogi" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n fail" msgstr[1] "%n faili" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "Laadin üles %n faili" msgstr[1] "Laadin üles %n faili" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "faili üleslaadimisel" @@ -217,15 +217,15 @@ msgid "" "big." msgstr "Valmistatakse allalaadimist. See võib võtta veidi aega, kui on tegu suurte failidega. " -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Nimi" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Suurus" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Muudetud" @@ -302,33 +302,33 @@ msgstr "Siin puudvad sul kirjutamisõigused." msgid "Nothing in here. Upload something!" msgstr "Siin pole midagi. Lae midagi üles!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Lae alla" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Lõpeta jagamine" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Kustuta" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Üleslaadimine on liiga suur" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Failid, mida sa proovid üles laadida, ületab serveri poolt üleslaetavatele failidele määratud maksimaalse suuruse." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Faile skannitakse, palun oota." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Praegune skannimine" diff --git a/l10n/eu/core.po b/l10n/eu/core.po index 004b38fc512..962c4efed51 100644 --- a/l10n/eu/core.po +++ b/l10n/eu/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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -26,7 +26,7 @@ msgstr "%s-ek »%s« zurekin partekatu du" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "taldea" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/eu/files.po b/l10n/eu/files.po index bb64b84c230..4456f2df9e3 100644 --- a/l10n/eu/files.po +++ b/l10n/eu/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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -78,7 +78,7 @@ msgstr "Ez dago behar aina leku erabilgarri," #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "igotzeak huts egin du" #: ajax/upload.php:127 msgid "Invalid directory." @@ -113,7 +113,7 @@ msgstr "URLa ezin da hutsik egon." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Karpeta izne baliogabea. \"Shared\" karpeta erabilpena OwnCloudentzat erreserbaturik dago." -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Errorea" @@ -129,57 +129,57 @@ msgstr "Ezabatu betirako" msgid "Rename" msgstr "Berrizendatu" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "Zain" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} dagoeneko existitzen da" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "ordeztu" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "aholkatu izena" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "ezeztatu" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr " {new_name}-k {old_name} ordezkatu du" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "desegin" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "karpeta %n" msgstr[1] "%n karpeta" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "fitxategi %n" msgstr[1] "%n fitxategi" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "Fitxategi %n igotzen" msgstr[1] "%n fitxategi igotzen" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "fitxategiak igotzen" @@ -217,15 +217,15 @@ msgid "" "big." msgstr "Zure deskarga prestatu egin behar da. Denbora bat har lezake fitxategiak handiak badira. " -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Izena" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Tamaina" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Aldatuta" @@ -302,33 +302,33 @@ msgstr "Ez duzu hemen idazteko baimenik." msgid "Nothing in here. Upload something!" msgstr "Ez dago ezer. Igo zerbait!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Deskargatu" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Ez elkarbanatu" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Ezabatu" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Igoera handiegia da" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Igotzen saiatzen ari zaren fitxategiak zerbitzari honek igotzeko onartzen duena baino handiagoak dira." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Fitxategiak eskaneatzen ari da, itxoin mezedez." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Orain eskaneatzen ari da" diff --git a/l10n/fa/core.po b/l10n/fa/core.po index 4fb8afd07bb..477f3475fc5 100644 --- a/l10n/fa/core.po +++ b/l10n/fa/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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -25,7 +25,7 @@ msgstr "%s به اشتراک گذاشته شده است »%s« توسط شما" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "گروه" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/fa/files.po b/l10n/fa/files.po index 362a1dc80ae..1db2606ef50 100644 --- a/l10n/fa/files.po +++ b/l10n/fa/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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -77,7 +77,7 @@ msgstr "فضای کافی در دسترس نیست" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "بارگزاری ناموفق بود" #: ajax/upload.php:127 msgid "Invalid directory." @@ -112,7 +112,7 @@ msgstr "URL نمی تواند خالی باشد." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "نام پوشه نامعتبر است. استفاده از 'به اشتراک گذاشته شده' متعلق به ownCloud میباشد." -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "خطا" @@ -128,54 +128,54 @@ msgstr "حذف قطعی" msgid "Rename" msgstr "تغییرنام" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "در انتظار" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{نام _جدید} در حال حاضر وجود دارد." -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "جایگزین" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "پیشنهاد نام" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "لغو" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "{نام_جدید} با { نام_قدیمی} جایگزین شد." -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "بازگشت" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "بارگذاری فایل ها" @@ -213,15 +213,15 @@ msgid "" "big." msgstr "دانلود شما در حال آماده شدن است. در صورتیکه پرونده ها بزرگ باشند ممکن است مدتی طول بکشد." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "نام" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "اندازه" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "تاریخ" @@ -298,33 +298,33 @@ msgstr "شما اجازه ی نوشتن در اینجا را ندارید" msgid "Nothing in here. Upload something!" msgstr "اینجا هیچ چیز نیست." -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "دانلود" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "لغو اشتراک" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "حذف" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "سایز فایل برای آپلود زیاد است(م.تنظیمات در php.ini)" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "فایلها بیش از حد تعیین شده در این سرور هستند\nمترجم:با تغییر فایل php,ini میتوان این محدودیت را برطرف کرد" -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "پرونده ها در حال بازرسی هستند لطفا صبر کنید" -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "بازرسی کنونی" diff --git a/l10n/fi_FI/core.po b/l10n/fi_FI/core.po index 56d1039db0f..f76c82e4827 100644 --- a/l10n/fi_FI/core.po +++ b/l10n/fi_FI/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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -26,7 +26,7 @@ msgstr "%s jakoi kohteen »%s« kanssasi" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "ryhmä" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/fi_FI/files.po b/l10n/fi_FI/files.po index 69f2485ac90..2c0837f88bc 100644 --- a/l10n/fi_FI/files.po +++ b/l10n/fi_FI/files.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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 17:20+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" @@ -77,7 +77,7 @@ msgstr "Tallennustilaa ei ole riittävästi käytettävissä" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Lähetys epäonnistui" #: ajax/upload.php:127 msgid "Invalid directory." @@ -112,7 +112,7 @@ msgstr "Verkko-osoite ei voi olla tyhjä" msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Virhe" @@ -128,57 +128,57 @@ msgstr "Poista pysyvästi" msgid "Rename" msgstr "Nimeä uudelleen" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "Odottaa" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} on jo olemassa" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "korvaa" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "ehdota nimeä" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "peru" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "kumoa" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n kansio" msgstr[1] "%n kansiota" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n tiedosto" msgstr[1] "%n tiedostoa" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" -msgstr "" +msgstr "{dirs} ja {files}" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "Lähetetään %n tiedosto" msgstr[1] "Lähetetään %n tiedostoa" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "" @@ -216,15 +216,15 @@ msgid "" "big." msgstr "Lataustasi valmistellaan. Tämä saattaa kestää hetken, jos tiedostot ovat suuria kooltaan." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Nimi" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Koko" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Muokattu" @@ -301,33 +301,33 @@ msgstr "Tunnuksellasi ei ole kirjoitusoikeuksia tänne." msgid "Nothing in here. Upload something!" msgstr "Täällä ei ole mitään. Lähetä tänne jotakin!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Lataa" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Peru jakaminen" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Poista" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Lähetettävä tiedosto on liian suuri" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Lähetettäväksi valitsemasi tiedostot ylittävät palvelimen salliman tiedostokoon rajan." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Tiedostoja tarkistetaan, odota hetki." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Tämänhetkinen tutkinta" diff --git a/l10n/fr/core.po b/l10n/fr/core.po index 5aaca8e3f70..f5b034ae31c 100644 --- a/l10n/fr/core.po +++ b/l10n/fr/core.po @@ -12,8 +12,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -29,7 +29,7 @@ msgstr "%s partagé »%s« avec vous" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "groupe" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/fr/files.po b/l10n/fr/files.po index bd1b9b97978..245c7abab6b 100644 --- a/l10n/fr/files.po +++ b/l10n/fr/files.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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -79,7 +79,7 @@ msgstr "Plus assez d'espace de stockage disponible" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Échec de l'envoi" #: ajax/upload.php:127 msgid "Invalid directory." @@ -114,7 +114,7 @@ msgstr "L'URL ne peut-être vide" msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nom de dossier invalide. L'utilisation du mot 'Shared' est réservée à Owncloud" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Erreur" @@ -130,57 +130,57 @@ msgstr "Supprimer de façon définitive" msgid "Rename" msgstr "Renommer" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "En attente" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} existe déjà" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "remplacer" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "Suggérer un nom" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "annuler" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "{new_name} a été remplacé par {old_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "annuler" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "fichiers en cours d'envoi" @@ -218,15 +218,15 @@ msgid "" "big." msgstr "Votre téléchargement est cours de préparation. Ceci peut nécessiter un certain temps si les fichiers sont volumineux." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Nom" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Taille" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Modifié" @@ -303,33 +303,33 @@ msgstr "Vous n'avez pas le droit d'écriture ici." msgid "Nothing in here. Upload something!" msgstr "Il n'y a rien ici ! Envoyez donc quelque chose :)" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Télécharger" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Ne plus partager" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Supprimer" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Téléversement trop volumineux" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Les fichiers que vous essayez d'envoyer dépassent la taille maximale permise par ce serveur." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Les fichiers sont en cours d'analyse, veuillez patienter." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Analyse en cours" diff --git a/l10n/gl/core.po b/l10n/gl/core.po index ed5c0b1b091..6565f0ea8d9 100644 --- a/l10n/gl/core.po +++ b/l10n/gl/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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -25,7 +25,7 @@ msgstr "%s compartiu «%s» con vostede" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "grupo" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/gl/files.po b/l10n/gl/files.po index f655969e064..6de09cdb0f7 100644 --- a/l10n/gl/files.po +++ b/l10n/gl/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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -77,7 +77,7 @@ msgstr "Non hai espazo de almacenamento abondo" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Produciuse un fallou no envío" #: ajax/upload.php:127 msgid "Invalid directory." @@ -112,7 +112,7 @@ msgstr "O URL non pode quedar baleiro." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nome de cartafol incorrecto. O uso de «Compartido» e «Shared» está reservado para o ownClod" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Erro" @@ -128,57 +128,57 @@ msgstr "Eliminar permanentemente" msgid "Rename" msgstr "Renomear" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "Pendentes" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "Xa existe un {new_name}" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "substituír" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "suxerir nome" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "cancelar" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "substituír {new_name} por {old_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "desfacer" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n cartafol" msgstr[1] "%n cartafoles" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n ficheiro" msgstr[1] "%n ficheiros" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "Cargando %n ficheiro" msgstr[1] "Cargando %n ficheiros" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "ficheiros enviándose" @@ -216,15 +216,15 @@ msgid "" "big." msgstr "Está a prepararse a súa descarga. Isto pode levar bastante tempo se os ficheiros son grandes." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Nome" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Tamaño" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Modificado" @@ -301,33 +301,33 @@ msgstr "Non ten permisos para escribir aquí." msgid "Nothing in here. Upload something!" msgstr "Aquí non hai nada. Envíe algo." -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Descargar" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Deixar de compartir" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Eliminar" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Envío demasiado grande" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Os ficheiros que tenta enviar exceden do tamaño máximo permitido neste servidor" -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Estanse analizando os ficheiros. Agarde." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Análise actual" diff --git a/l10n/he/core.po b/l10n/he/core.po index ccf747517c2..a505ffebd53 100644 --- a/l10n/he/core.po +++ b/l10n/he/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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -26,7 +26,7 @@ msgstr "%s שיתף/שיתפה איתך את »%s«" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "קבוצה" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/he/files.po b/l10n/he/files.po index 9002e898ceb..dd480450974 100644 --- a/l10n/he/files.po +++ b/l10n/he/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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -77,7 +77,7 @@ msgstr "אין די שטח פנוי באחסון" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "ההעלאה נכשלה" #: ajax/upload.php:127 msgid "Invalid directory." @@ -112,7 +112,7 @@ msgstr "קישור אינו יכול להיות ריק." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "שגיאה" @@ -128,57 +128,57 @@ msgstr "מחק לצמיתות" msgid "Rename" msgstr "שינוי שם" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "ממתין" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} כבר קיים" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "החלפה" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "הצעת שם" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "ביטול" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "{new_name} הוחלף ב־{old_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "ביטול" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "קבצים בהעלאה" @@ -216,15 +216,15 @@ msgid "" "big." msgstr "" -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "שם" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "גודל" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "זמן שינוי" @@ -301,33 +301,33 @@ msgstr "" msgid "Nothing in here. Upload something!" msgstr "אין כאן שום דבר. אולי ברצונך להעלות משהו?" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "הורדה" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "הסר שיתוף" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "מחיקה" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "העלאה גדולה מידי" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "הקבצים שניסית להעלות חרגו מהגודל המקסימלי להעלאת קבצים על שרת זה." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "הקבצים נסרקים, נא להמתין." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "הסריקה הנוכחית" diff --git a/l10n/hu_HU/core.po b/l10n/hu_HU/core.po index 85a6b3a0d1d..b4bbc396445 100644 --- a/l10n/hu_HU/core.po +++ b/l10n/hu_HU/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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -26,7 +26,7 @@ msgstr "%s megosztotta Önnel ezt: »%s«" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "csoport" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/hu_HU/files.po b/l10n/hu_HU/files.po index 48876d9d474..402bd723361 100644 --- a/l10n/hu_HU/files.po +++ b/l10n/hu_HU/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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -77,7 +77,7 @@ msgstr "Nincs elég szabad hely." #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "A feltöltés nem sikerült" #: ajax/upload.php:127 msgid "Invalid directory." @@ -112,7 +112,7 @@ msgstr "Az URL nem lehet semmi." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Érvénytelen mappanév. A 'Shared' az ownCloud számára fenntartott elnevezés" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Hiba" @@ -128,57 +128,57 @@ msgstr "Végleges törlés" msgid "Rename" msgstr "Átnevezés" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "Folyamatban" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} már létezik" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "írjuk fölül" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "legyen más neve" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "mégse" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "{new_name} fájlt kicseréltük ezzel: {old_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "visszavonás" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "fájl töltődik föl" @@ -216,15 +216,15 @@ msgid "" "big." msgstr "Készül a letöltendő állomány. Ez eltarthat egy ideig, ha nagyok a fájlok." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Név" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Méret" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Módosítva" @@ -301,33 +301,33 @@ msgstr "Itt nincs írásjoga." msgid "Nothing in here. Upload something!" msgstr "Itt nincs semmi. Töltsön fel valamit!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Letöltés" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "A megosztás visszavonása" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Törlés" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "A feltöltés túl nagy" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "A feltöltendő állományok mérete meghaladja a kiszolgálón megengedett maximális méretet." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "A fájllista ellenőrzése zajlik, kis türelmet!" -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Ellenőrzés alatt" diff --git a/l10n/id/core.po b/l10n/id/core.po index 51d44b0f572..071ac769a96 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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -24,7 +24,7 @@ msgstr "" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "grup" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/it/core.po b/l10n/it/core.po index 9a45ffabc38..e5cdd51793d 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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -27,7 +27,7 @@ msgstr "%s ha condiviso «%s» con te" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "gruppo" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/it/files.po b/l10n/it/files.po index 6b88648425a..58b33501e9e 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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-09-01 15:54+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" @@ -78,7 +78,7 @@ msgstr "Spazio di archiviazione insufficiente" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Caricamento non riuscito" #: ajax/upload.php:127 msgid "Invalid directory." @@ -113,7 +113,7 @@ msgstr "L'URL non può essere vuoto." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nome della cartella non valido. L'uso di 'Shared' è riservato a ownCloud" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Errore" @@ -129,57 +129,57 @@ msgstr "Elimina definitivamente" msgid "Rename" msgstr "Rinomina" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "In corso" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} esiste già" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "sostituisci" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "suggerisci nome" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "annulla" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "sostituito {new_name} con {old_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "annulla" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n cartella" msgstr[1] "%n cartelle" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n file" msgstr[1] "%n file" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" -msgstr "" +msgstr "{dirs} e {files}" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "Caricamento di %n file in corso" msgstr[1] "Caricamento di %n file in corso" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "caricamento file" @@ -217,15 +217,15 @@ msgid "" "big." msgstr "Il tuo scaricamento è in fase di preparazione. Ciò potrebbe richiedere del tempo se i file sono grandi." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Nome" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Dimensione" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Modificato" @@ -302,33 +302,33 @@ msgstr "Qui non hai i permessi di scrittura." msgid "Nothing in here. Upload something!" msgstr "Non c'è niente qui. Carica qualcosa!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Scarica" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Rimuovi condivisione" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Elimina" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Caricamento troppo grande" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "I file che stai provando a caricare superano la dimensione massima consentita su questo server." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Scansione dei file in corso, attendi" -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Scansione corrente" diff --git a/l10n/it/lib.po b/l10n/it/lib.po index e119006c71e..fb5632409a4 100644 --- a/l10n/it/lib.po +++ b/l10n/it/lib.po @@ -4,14 +4,15 @@ # # Translators: # Francesco Capuano , 2013 +# 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-08-30 09:33-0400\n" -"PO-Revision-Date: 2013-08-29 19:30+0000\n" -"Last-Translator: Vincenzo Reale \n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-31 13:30+0000\n" +"Last-Translator: polxmod \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" @@ -125,7 +126,7 @@ msgstr "L'applicazione non può essere installata poiché non è compatibile con msgid "" "App can't be installed because it contains the true tag " "which is not allowed for non shipped apps" -msgstr "" +msgstr "L'applicazione non può essere installata poiché contiene il tag true che non è permesso alle applicazioni non shipped" #: installer.php:150 msgid "" @@ -266,51 +267,51 @@ msgstr "Il tuo server web non è configurato correttamente per consentire la sin msgid "Please double check the installation guides." msgstr "Leggi attentamente le guide d'installazione." -#: template/functions.php:80 +#: template/functions.php:96 msgid "seconds ago" msgstr "secondi fa" -#: template/functions.php:81 +#: template/functions.php:97 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "%n minuto fa" msgstr[1] "%n minuti fa" -#: template/functions.php:82 +#: template/functions.php:98 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "%n ora fa" msgstr[1] "%n ore fa" -#: template/functions.php:83 +#: template/functions.php:99 msgid "today" msgstr "oggi" -#: template/functions.php:84 +#: template/functions.php:100 msgid "yesterday" msgstr "ieri" -#: template/functions.php:85 +#: template/functions.php:101 msgid "%n day go" msgid_plural "%n days ago" msgstr[0] "%n giorno fa" msgstr[1] "%n giorni fa" -#: template/functions.php:86 +#: template/functions.php:102 msgid "last month" msgstr "mese scorso" -#: template/functions.php:87 +#: template/functions.php:103 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "%n mese fa" msgstr[1] "%n mesi fa" -#: template/functions.php:88 +#: template/functions.php:104 msgid "last year" msgstr "anno scorso" -#: template/functions.php:89 +#: template/functions.php:105 msgid "years ago" msgstr "anni fa" diff --git a/l10n/it/settings.po b/l10n/it/settings.po index 57cb219901f..2ef86dac439 100644 --- a/l10n/it/settings.po +++ b/l10n/it/settings.po @@ -5,14 +5,15 @@ # Translators: # Francesco Apruzzese , 2013 # idetao , 2013 +# 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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-09-01 15:53+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" @@ -87,47 +88,47 @@ msgstr "Impossibile rimuovere l'utente dal gruppo %s" msgid "Couldn't update app." msgstr "Impossibile aggiornate l'applicazione." -#: js/apps.js:35 +#: js/apps.js:43 msgid "Update to {appversion}" msgstr "Aggiorna a {appversion}" -#: js/apps.js:41 js/apps.js:74 js/apps.js:100 +#: js/apps.js:49 js/apps.js:82 js/apps.js:108 msgid "Disable" msgstr "Disabilita" -#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 +#: js/apps.js:49 js/apps.js:89 js/apps.js:102 js/apps.js:117 msgid "Enable" msgstr "Abilita" -#: js/apps.js:63 +#: js/apps.js:71 msgid "Please wait...." msgstr "Attendere..." -#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +#: js/apps.js:79 js/apps.js:80 js/apps.js:100 msgid "Error while disabling app" -msgstr "" +msgstr "Errore durante la disattivazione" -#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +#: js/apps.js:99 js/apps.js:112 js/apps.js:113 msgid "Error while enabling app" -msgstr "" +msgstr "Errore durante l'attivazione" -#: js/apps.js:115 +#: js/apps.js:123 msgid "Updating...." msgstr "Aggiornamento in corso..." -#: js/apps.js:118 +#: js/apps.js:126 msgid "Error while updating app" msgstr "Errore durante l'aggiornamento" -#: js/apps.js:118 +#: js/apps.js:126 msgid "Error" msgstr "Errore" -#: js/apps.js:119 templates/apps.php:43 +#: js/apps.js:127 templates/apps.php:43 msgid "Update" msgstr "Aggiorna" -#: js/apps.js:122 +#: js/apps.js:130 msgid "Updated" msgstr "Aggiornato" diff --git a/l10n/ja_JP/core.po b/l10n/ja_JP/core.po index 7effb5774b6..38ce1ffd25b 100644 --- a/l10n/ja_JP/core.po +++ b/l10n/ja_JP/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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-31 09:50+0000\n" +"Last-Translator: plazmism \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" @@ -28,32 +28,32 @@ msgstr "%sが あなたと »%s«を共有しました" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "グループ" #: ajax/update.php:11 msgid "Turned on maintenance mode" -msgstr "" +msgstr "メンテナンスモードがオンになりました" #: ajax/update.php:14 msgid "Turned off maintenance mode" -msgstr "" +msgstr "メンテナンスモードがオフになりました" #: ajax/update.php:17 msgid "Updated database" -msgstr "" +msgstr "データベース更新完了" #: ajax/update.php:20 msgid "Updating filecache, this may take really long..." -msgstr "" +msgstr "ファイルキャッシュを更新しています、しばらく掛かる恐れがあります..." #: ajax/update.php:23 msgid "Updated filecache" -msgstr "" +msgstr "ファイルキャッシュ更新完了" #: ajax/update.php:26 #, php-format msgid "... %d%% done ..." -msgstr "" +msgstr "... %d%% 完了 ..." #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." diff --git a/l10n/ja_JP/files.po b/l10n/ja_JP/files.po index b8591173f30..249beb05f61 100644 --- a/l10n/ja_JP/files.po +++ b/l10n/ja_JP/files.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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-31 00:40+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" @@ -81,7 +81,7 @@ msgstr "ストレージに十分な空き容量がありません" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "アップロードに失敗" #: ajax/upload.php:127 msgid "Invalid directory." @@ -116,7 +116,7 @@ msgstr "URLは空にできません。" msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "無効なフォルダ名です。'Shared' の利用はownCloudで予約済みです" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "エラー" @@ -132,54 +132,54 @@ msgstr "完全に削除する" msgid "Rename" msgstr "名前の変更" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "中断" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} はすでに存在しています" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "置き換え" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "推奨名称" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "キャンセル" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "{old_name} を {new_name} に置換" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "元に戻す" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n個のフォルダ" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n個のファイル" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" -msgstr "" +msgstr "{dirs} と {files}" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "%n 個のファイルをアップロード中" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "ファイルをアップロード中" @@ -217,15 +217,15 @@ msgid "" "big." msgstr "ダウンロードの準備中です。ファイルサイズが大きい場合は少し時間がかかるかもしれません。" -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "名前" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "サイズ" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "変更" @@ -302,33 +302,33 @@ msgstr "あなたには書き込み権限がありません。" msgid "Nothing in here. Upload something!" msgstr "ここには何もありません。何かアップロードしてください。" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "ダウンロード" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "共有解除" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "削除" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "アップロードには大きすぎます。" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "アップロードしようとしているファイルは、サーバで規定された最大サイズを超えています。" -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "ファイルをスキャンしています、しばらくお待ちください。" -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "スキャン中" diff --git a/l10n/ja_JP/lib.po b/l10n/ja_JP/lib.po index 3d14cbeb36d..78f82700487 100644 --- a/l10n/ja_JP/lib.po +++ b/l10n/ja_JP/lib.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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-31 01:10+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" @@ -24,11 +24,11 @@ msgstr "" msgid "" "App \"%s\" can't be installed because it is not compatible with this version" " of ownCloud." -msgstr "" +msgstr " \"%s\" アプリは、このバージョンのownCloudと互換性がない為、インストールできません。" #: app.php:250 msgid "No app name specified" -msgstr "" +msgstr "アプリ名が未指定" #: app.php:361 msgid "Help" @@ -88,38 +88,38 @@ msgstr "ファイルは、小さいファイルに分割されてダウンロー #: installer.php:63 msgid "No source specified when installing app" -msgstr "" +msgstr "アプリインストール時のソースが未指定" #: installer.php:70 msgid "No href specified when installing app from http" -msgstr "" +msgstr "アプリインストール時のhttpの URL が未指定" #: installer.php:75 msgid "No path specified when installing app from local file" -msgstr "" +msgstr "アプリインストール時のローカルファイルのパスが未指定" #: installer.php:89 #, php-format msgid "Archives of type %s are not supported" -msgstr "" +msgstr "\"%s\"タイプのアーカイブ形式は未サポート" #: installer.php:103 msgid "Failed to open archive when installing app" -msgstr "" +msgstr "アプリをインストール中にアーカイブファイルを開けませんでした。" #: installer.php:123 msgid "App does not provide an info.xml file" -msgstr "" +msgstr "アプリにinfo.xmlファイルが入っていません" #: installer.php:129 msgid "App can't be installed because of not allowed code in the App" -msgstr "" +msgstr "アプリで許可されないコードが入っているのが原因でアプリがインストールできません" #: installer.php:138 msgid "" "App can't be installed because it is not compatible with this version of " "ownCloud" -msgstr "" +msgstr "アプリは、このバージョンのownCloudと互換性がない為、インストールできません。" #: installer.php:144 msgid "" @@ -131,16 +131,16 @@ msgstr "" msgid "" "App can't be installed because the version in info.xml/version is not the " "same as the version reported from the app store" -msgstr "" +msgstr "info.xml/versionのバージョンがアプリストアのバージョンと合っていない為、アプリはインストールされません" #: installer.php:160 msgid "App directory already exists" -msgstr "" +msgstr "アプリディレクトリは既に存在します" #: installer.php:173 #, php-format msgid "Can't create app folder. Please fix permissions. %s" -msgstr "" +msgstr "アプリフォルダを作成出来ませんでした。%s のパーミッションを修正してください。" #: json.php:28 msgid "Application is not enabled" @@ -266,47 +266,47 @@ msgstr "WebDAVインタフェースが動作していないと考えられるた msgid "Please double check the installation guides." msgstr "インストールガイドをよく確認してください。" -#: template/functions.php:80 +#: template/functions.php:96 msgid "seconds ago" msgstr "数秒前" -#: template/functions.php:81 +#: template/functions.php:97 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "%n 分前" -#: template/functions.php:82 +#: template/functions.php:98 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "%n 時間後" -#: template/functions.php:83 +#: template/functions.php:99 msgid "today" msgstr "今日" -#: template/functions.php:84 +#: template/functions.php:100 msgid "yesterday" msgstr "昨日" -#: template/functions.php:85 +#: template/functions.php:101 msgid "%n day go" msgid_plural "%n days ago" msgstr[0] "%n 日後" -#: template/functions.php:86 +#: template/functions.php:102 msgid "last month" msgstr "一月前" -#: template/functions.php:87 +#: template/functions.php:103 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "%n カ月後" -#: template/functions.php:88 +#: template/functions.php:104 msgid "last year" msgstr "一年前" -#: template/functions.php:89 +#: template/functions.php:105 msgid "years ago" msgstr "年前" diff --git a/l10n/ja_JP/settings.po b/l10n/ja_JP/settings.po index f61f73ba228..e265ca7d475 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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-31 00:40+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" @@ -87,47 +87,47 @@ msgstr "ユーザをグループ %s から削除できません" msgid "Couldn't update app." msgstr "アプリを更新出来ませんでした。" -#: js/apps.js:35 +#: js/apps.js:43 msgid "Update to {appversion}" msgstr "{appversion} に更新" -#: js/apps.js:41 js/apps.js:74 js/apps.js:100 +#: js/apps.js:49 js/apps.js:82 js/apps.js:108 msgid "Disable" msgstr "無効" -#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 +#: js/apps.js:49 js/apps.js:89 js/apps.js:102 js/apps.js:117 msgid "Enable" msgstr "有効化" -#: js/apps.js:63 +#: js/apps.js:71 msgid "Please wait...." msgstr "しばらくお待ちください。" -#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +#: js/apps.js:79 js/apps.js:80 js/apps.js:100 msgid "Error while disabling app" -msgstr "" +msgstr "アプリ無効化中にエラーが発生" -#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +#: js/apps.js:99 js/apps.js:112 js/apps.js:113 msgid "Error while enabling app" -msgstr "" +msgstr "アプリ有効化中にエラーが発生" -#: js/apps.js:115 +#: js/apps.js:123 msgid "Updating...." msgstr "更新中...." -#: js/apps.js:118 +#: js/apps.js:126 msgid "Error while updating app" msgstr "アプリの更新中にエラーが発生" -#: js/apps.js:118 +#: js/apps.js:126 msgid "Error" msgstr "エラー" -#: js/apps.js:119 templates/apps.php:43 +#: js/apps.js:127 templates/apps.php:43 msgid "Update" msgstr "更新" -#: js/apps.js:122 +#: js/apps.js:130 msgid "Updated" msgstr "更新済み" diff --git a/l10n/ka_GE/core.po b/l10n/ka_GE/core.po index 5611a467957..8cd45561ae0 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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -24,7 +24,7 @@ msgstr "" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "ჯგუფი" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/ka_GE/files.po b/l10n/ka_GE/files.po index b162233b9c0..36a1787cd34 100644 --- a/l10n/ka_GE/files.po +++ b/l10n/ka_GE/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -76,7 +76,7 @@ msgstr "საცავში საკმარისი ადგილი ა #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "ატვირთვა ვერ განხორციელდა" #: ajax/upload.php:127 msgid "Invalid directory." @@ -111,7 +111,7 @@ msgstr "URL არ შეიძლება იყოს ცარიელი." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "შეცდომა" @@ -127,54 +127,54 @@ msgstr "სრულად წაშლა" msgid "Rename" msgstr "გადარქმევა" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "მოცდის რეჟიმში" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} უკვე არსებობს" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "შეცვლა" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "სახელის შემოთავაზება" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "უარყოფა" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "{new_name} შეცვლილია {old_name}–ით" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "დაბრუნება" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "ფაილები იტვირთება" @@ -212,15 +212,15 @@ msgid "" "big." msgstr "გადმოწერის მოთხოვნა მუშავდება. ის მოითხოვს გარკვეულ დროს რაგდან ფაილები არის დიდი ზომის." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "სახელი" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "ზომა" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "შეცვლილია" @@ -297,33 +297,33 @@ msgstr "თქვენ არ გაქვთ ჩაწერის უფლ msgid "Nothing in here. Upload something!" msgstr "აქ არაფერი არ არის. ატვირთე რამე!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "ჩამოტვირთვა" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "გაუზიარებადი" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "წაშლა" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "ასატვირთი ფაილი ძალიან დიდია" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "ფაილის ზომა რომლის ატვირთვასაც თქვენ აპირებთ, აჭარბებს სერვერზე დაშვებულ მაქსიმუმს." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "მიმდინარეობს ფაილების სკანირება, გთხოვთ დაელოდოთ." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "მიმდინარე სკანირება" diff --git a/l10n/ko/core.po b/l10n/ko/core.po index 414603b41db..5e7d67575a2 100644 --- a/l10n/ko/core.po +++ b/l10n/ko/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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -26,7 +26,7 @@ msgstr "" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "그룹" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/ko/files.po b/l10n/ko/files.po index f7c84013950..f97b6b2dd26 100644 --- a/l10n/ko/files.po +++ b/l10n/ko/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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -78,7 +78,7 @@ msgstr "저장소가 용량이 충분하지 않습니다." #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "업로드 실패" #: ajax/upload.php:127 msgid "Invalid directory." @@ -113,7 +113,7 @@ msgstr "URL을 입력해야 합니다." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "오류" @@ -129,54 +129,54 @@ msgstr "영원히 삭제" msgid "Rename" msgstr "이름 바꾸기" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "대기 중" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name}이(가) 이미 존재함" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "바꾸기" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "이름 제안" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "취소" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "{old_name}이(가) {new_name}(으)로 대체됨" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "되돌리기" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "파일 업로드중" @@ -214,15 +214,15 @@ msgid "" "big." msgstr "다운로드가 준비 중입니다. 파일 크기가 크다면 시간이 오래 걸릴 수도 있습니다." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "이름" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "크기" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "수정됨" @@ -299,33 +299,33 @@ msgstr "당신은 여기에 쓰기를 할 수 있는 권한이 없습니다." msgid "Nothing in here. Upload something!" msgstr "내용이 없습니다. 업로드할 수 있습니다!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "다운로드" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "공유 해제" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "삭제" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "업로드한 파일이 너무 큼" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "이 파일이 서버에서 허용하는 최대 업로드 가능 용량보다 큽니다." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "파일을 검색하고 있습니다. 기다려 주십시오." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "현재 검색" diff --git a/l10n/lb/core.po b/l10n/lb/core.po index 6acfd95e044..73f9dacaf60 100644 --- a/l10n/lb/core.po +++ b/l10n/lb/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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -25,7 +25,7 @@ msgstr "Den/D' %s huet »%s« mat dir gedeelt" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "Grupp" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/lt_LT/core.po b/l10n/lt_LT/core.po index 493b46ace2c..6f77486ddf4 100644 --- a/l10n/lt_LT/core.po +++ b/l10n/lt_LT/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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -27,7 +27,7 @@ msgstr "%s pasidalino »%s« su tavimi" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "grupė" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/lt_LT/files.po b/l10n/lt_LT/files.po index 6fe0fe92913..af72860fc58 100644 --- a/l10n/lt_LT/files.po +++ b/l10n/lt_LT/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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -77,7 +77,7 @@ msgstr "Nepakanka vietos serveryje" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Nusiuntimas nepavyko" #: ajax/upload.php:127 msgid "Invalid directory." @@ -112,7 +112,7 @@ msgstr "URL negali būti tuščias." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Negalimas aplanko pavadinimas. 'Shared' pavadinimas yra rezervuotas ownCloud" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Klaida" @@ -128,60 +128,60 @@ msgstr "Ištrinti negrįžtamai" msgid "Rename" msgstr "Pervadinti" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "Laukiantis" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} jau egzistuoja" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "pakeisti" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "pasiūlyti pavadinimą" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "atšaukti" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "pakeiskite {new_name} į {old_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "anuliuoti" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "įkeliami failai" @@ -219,15 +219,15 @@ msgid "" "big." msgstr "Jūsų atsisiuntimas yra paruošiamas. tai gali užtrukti jei atsisiunčiamas didelis failas." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Pavadinimas" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Dydis" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Pakeista" @@ -304,33 +304,33 @@ msgstr "Jūs neturite rašymo leidimo." msgid "Nothing in here. Upload something!" msgstr "Čia tuščia. Įkelkite ką nors!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Atsisiųsti" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Nebesidalinti" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Ištrinti" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Įkėlimui failas per didelis" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Bandomų įkelti failų dydis viršija maksimalų, kuris leidžiamas šiame serveryje" -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Skenuojami failai, prašome palaukti." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Šiuo metu skenuojama" diff --git a/l10n/lv/core.po b/l10n/lv/core.po index 689ad0da124..65e8cfde0e4 100644 --- a/l10n/lv/core.po +++ b/l10n/lv/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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -25,7 +25,7 @@ msgstr "%s kopīgots »%s« ar jums" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "grupa" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/lv/files.po b/l10n/lv/files.po index 5eff48359db..ac1b1e7ab6b 100644 --- a/l10n/lv/files.po +++ b/l10n/lv/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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -77,7 +77,7 @@ msgstr "Nav pietiekami daudz vietas" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Neizdevās augšupielādēt" #: ajax/upload.php:127 msgid "Invalid directory." @@ -112,7 +112,7 @@ msgstr "URL nevar būt tukšs." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Kļūdains mapes nosaukums. 'Shared' lietošana ir rezervēta no ownCloud" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Kļūda" @@ -128,60 +128,60 @@ msgstr "Dzēst pavisam" msgid "Rename" msgstr "Pārsaukt" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "Gaida savu kārtu" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} jau eksistē" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "aizvietot" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "ieteiktais nosaukums" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "atcelt" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "aizvietoja {new_name} ar {old_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "atsaukt" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n mapes" msgstr[1] "%n mape" msgstr[2] "%n mapes" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n faili" msgstr[1] "%n fails" msgstr[2] "%n faili" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "%n" msgstr[1] "Augšupielāde %n failu" msgstr[2] "Augšupielāde %n failus" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "fails augšupielādējas" @@ -219,15 +219,15 @@ msgid "" "big." msgstr "Tiek sagatavota lejupielāde. Tas var aizņemt kādu laiciņu, ja datnes ir lielas." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Nosaukums" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Izmērs" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Mainīts" @@ -304,33 +304,33 @@ msgstr "Jums nav tiesību šeit rakstīt." msgid "Nothing in here. Upload something!" msgstr "Te vēl nekas nav. Rīkojies, sāc augšupielādēt!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Lejupielādēt" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Pārtraukt dalīšanos" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Dzēst" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Datne ir par lielu, lai to augšupielādētu" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Augšupielādējamās datnes pārsniedz servera pieļaujamo datņu augšupielādes apjomu" -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Datnes šobrīd tiek caurskatītas, lūdzu, uzgaidiet." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Šobrīd tiek caurskatīts" diff --git a/l10n/mk/core.po b/l10n/mk/core.po index c94527ab533..a426e2ec182 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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -24,7 +24,7 @@ msgstr "" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "група" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/nb_NO/core.po b/l10n/nb_NO/core.po index 4bd2753d756..68b8f11bed3 100644 --- a/l10n/nb_NO/core.po +++ b/l10n/nb_NO/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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -25,7 +25,7 @@ msgstr "%s delte »%s« med deg" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "gruppe" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/nb_NO/files.po b/l10n/nb_NO/files.po index c59874212be..21093f1c7e0 100644 --- a/l10n/nb_NO/files.po +++ b/l10n/nb_NO/files.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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -79,7 +79,7 @@ msgstr "Ikke nok lagringsplass" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Opplasting feilet" #: ajax/upload.php:127 msgid "Invalid directory." @@ -114,7 +114,7 @@ msgstr "URL-en kan ikke være tom." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Ugyldig mappenavn. Bruk av \"Shared\" er reservert av ownCloud." -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Feil" @@ -130,57 +130,57 @@ msgstr "Slett permanent" msgid "Rename" msgstr "Gi nytt navn" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "Ventende" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} finnes allerede" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "erstatt" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "foreslå navn" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "avbryt" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "erstattet {new_name} med {old_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "angre" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n mappe" msgstr[1] "%n mapper" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n fil" msgstr[1] "%n filer" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "Laster opp %n fil" msgstr[1] "Laster opp %n filer" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "filer lastes opp" @@ -218,15 +218,15 @@ msgid "" "big." msgstr "Nedlastingen din klargjøres. Hvis filene er store kan dette ta litt tid." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Navn" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Størrelse" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Endret" @@ -303,33 +303,33 @@ msgstr "Du har ikke skrivetilgang her." msgid "Nothing in here. Upload something!" msgstr "Ingenting her. Last opp noe!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Last ned" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Avslutt deling" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Slett" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Filen er for stor" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Filene du prøver å laste opp er for store for å laste opp til denne serveren." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Skanner filer, vennligst vent." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Pågående skanning" diff --git a/l10n/nl/core.po b/l10n/nl/core.po index 340455fdb1e..c7b2e1c117b 100644 --- a/l10n/nl/core.po +++ b/l10n/nl/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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -27,7 +27,7 @@ msgstr "%s deelde »%s« met jou" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "groep" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/nl/files.po b/l10n/nl/files.po index 1ef60e724ab..c42cf442efe 100644 --- a/l10n/nl/files.po +++ b/l10n/nl/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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -78,7 +78,7 @@ msgstr "Niet genoeg opslagruimte beschikbaar" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Upload mislukt" #: ajax/upload.php:127 msgid "Invalid directory." @@ -113,7 +113,7 @@ msgstr "URL kan niet leeg zijn." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Ongeldige mapnaam. Gebruik van 'Gedeeld' is voorbehouden aan Owncloud zelf" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Fout" @@ -129,57 +129,57 @@ msgstr "Verwijder definitief" msgid "Rename" msgstr "Hernoem" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "In behandeling" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} bestaat al" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "vervang" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "Stel een naam voor" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "annuleren" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "verving {new_name} met {old_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "ongedaan maken" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "%n mappen" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "" msgstr[1] "%n bestanden" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "%n bestand aan het uploaden" msgstr[1] "%n bestanden aan het uploaden" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "bestanden aan het uploaden" @@ -217,15 +217,15 @@ msgid "" "big." msgstr "Uw download wordt voorbereid. Dit kan enige tijd duren bij grote bestanden." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Naam" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Grootte" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Aangepast" @@ -302,33 +302,33 @@ msgstr "U hebt hier geen schrijfpermissies." msgid "Nothing in here. Upload something!" msgstr "Er bevindt zich hier niets. Upload een bestand!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Downloaden" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Stop met delen" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Verwijder" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Upload is te groot" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "De bestanden die u probeert te uploaden zijn groter dan de maximaal toegestane bestandsgrootte voor deze server." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Bestanden worden gescand, even wachten." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Er wordt gescand" diff --git a/l10n/nn_NO/core.po b/l10n/nn_NO/core.po index dd3e636cc48..8772791ae01 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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -26,7 +26,7 @@ msgstr "" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "gruppe" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/nn_NO/files.po b/l10n/nn_NO/files.po index be3bfcba3ee..623cceba50c 100644 --- a/l10n/nn_NO/files.po +++ b/l10n/nn_NO/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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -78,7 +78,7 @@ msgstr "Ikkje nok lagringsplass tilgjengeleg" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Feil ved opplasting" #: ajax/upload.php:127 msgid "Invalid directory." @@ -113,7 +113,7 @@ msgstr "Nettadressa kan ikkje vera tom." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Ugyldig mappenamn. Mappa «Shared» er reservert av ownCloud" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Feil" @@ -129,57 +129,57 @@ msgstr "Slett for godt" msgid "Rename" msgstr "Endra namn" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "Under vegs" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} finst allereie" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "byt ut" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "føreslå namn" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "avbryt" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "bytte ut {new_name} med {old_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "angre" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "filer lastar opp" @@ -217,15 +217,15 @@ msgid "" "big." msgstr "Gjer klar nedlastinga di. Dette kan ta ei stund viss filene er store." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Namn" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Storleik" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Endra" @@ -302,33 +302,33 @@ msgstr "Du har ikkje skriverettar her." msgid "Nothing in here. Upload something!" msgstr "Ingenting her. Last noko opp!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Last ned" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Udel" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Slett" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "For stor opplasting" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Filene du prøver å lasta opp er større enn maksgrensa til denne tenaren." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Skannar filer, ver venleg og vent." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Køyrande skanning" diff --git a/l10n/oc/core.po b/l10n/oc/core.po index f419c3efaf3..5b2896c6e35 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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -24,7 +24,7 @@ msgstr "" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "grop" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/pl/core.po b/l10n/pl/core.po index edaed21e00e..6680a8ba6b3 100644 --- a/l10n/pl/core.po +++ b/l10n/pl/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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -26,7 +26,7 @@ msgstr "%s Współdzielone »%s« z tobą" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "grupa" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/pl/files.po b/l10n/pl/files.po index fc486609894..8bab0cf5908 100644 --- a/l10n/pl/files.po +++ b/l10n/pl/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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -78,7 +78,7 @@ msgstr "Za mało dostępnego miejsca" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Wysyłanie nie powiodło się" #: ajax/upload.php:127 msgid "Invalid directory." @@ -113,7 +113,7 @@ msgstr "URL nie może być pusty." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nieprawidłowa nazwa folderu. Wykorzystanie 'Shared' jest zarezerwowane przez ownCloud" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Błąd" @@ -129,60 +129,60 @@ msgstr "Trwale usuń" msgid "Rename" msgstr "Zmień nazwę" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "Oczekujące" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} już istnieje" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "zastąp" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "zasugeruj nazwę" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "anuluj" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "zastąpiono {new_name} przez {old_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "cofnij" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "pliki wczytane" @@ -220,15 +220,15 @@ msgid "" "big." msgstr "Pobieranie jest przygotowywane. Może to zająć trochę czasu jeśli pliki są duże." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Nazwa" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Rozmiar" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Modyfikacja" @@ -305,33 +305,33 @@ msgstr "Nie masz uprawnień do zapisu w tym miejscu." msgid "Nothing in here. Upload something!" msgstr "Pusto. Wyślij coś!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Pobierz" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Zatrzymaj współdzielenie" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Usuń" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Ładowany plik jest za duży" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Pliki, które próbujesz przesłać, przekraczają maksymalną dopuszczalną wielkość." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Skanowanie plików, proszę czekać." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Aktualnie skanowane" diff --git a/l10n/pt_BR/core.po b/l10n/pt_BR/core.po index 44989e4aad8..b3280313839 100644 --- a/l10n/pt_BR/core.po +++ b/l10n/pt_BR/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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -26,7 +26,7 @@ msgstr "%s compartilhou »%s« com você" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "grupo" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/pt_BR/files.po b/l10n/pt_BR/files.po index 5f0718ae9da..4397a9890b0 100644 --- a/l10n/pt_BR/files.po +++ b/l10n/pt_BR/files.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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -79,7 +79,7 @@ msgstr "Espaço de armazenamento insuficiente" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Falha no envio" #: ajax/upload.php:127 msgid "Invalid directory." @@ -114,7 +114,7 @@ msgstr "URL não pode ficar em branco" msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nome de pasta inválido. O uso do nome 'Compartilhado' é reservado ao ownCloud" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Erro" @@ -130,57 +130,57 @@ msgstr "Excluir permanentemente" msgid "Rename" msgstr "Renomear" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "Pendente" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} já existe" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "substituir" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "sugerir nome" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "cancelar" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "Substituído {old_name} por {new_name} " -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "desfazer" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "enviando arquivos" @@ -218,15 +218,15 @@ msgid "" "big." msgstr "Seu download está sendo preparado. Isto pode levar algum tempo se os arquivos forem grandes." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Nome" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Tamanho" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Modificado" @@ -303,33 +303,33 @@ msgstr "Você não possui permissão de escrita aqui." msgid "Nothing in here. Upload something!" msgstr "Nada aqui.Carrege alguma coisa!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Baixar" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Descompartilhar" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Excluir" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Upload muito grande" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Os arquivos que você está tentando carregar excedeu o tamanho máximo para arquivos no servidor." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Arquivos sendo escaneados, por favor aguarde." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Scanning atual" diff --git a/l10n/pt_PT/core.po b/l10n/pt_PT/core.po index e188e5ccc38..ee257663691 100644 --- a/l10n/pt_PT/core.po +++ b/l10n/pt_PT/core.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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,7 +28,7 @@ msgstr "%s partilhado »%s« contigo" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "grupo" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/pt_PT/files.po b/l10n/pt_PT/files.po index 78b08930414..21d8f249a2b 100644 --- a/l10n/pt_PT/files.po +++ b/l10n/pt_PT/files.po @@ -5,13 +5,14 @@ # Translators: # bmgmatias , 2013 # FernandoMASilva, 2013 +# Helder Meneses , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-31 14:50+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" @@ -78,7 +79,7 @@ msgstr "Não há espaço suficiente em disco" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Carregamento falhou" #: ajax/upload.php:127 msgid "Invalid directory." @@ -113,7 +114,7 @@ msgstr "O URL não pode estar vazio." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nome da pasta inválido. Palavra 'Shared' é reservado pela ownCloud" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Erro" @@ -129,57 +130,57 @@ msgstr "Eliminar permanentemente" msgid "Rename" msgstr "Renomear" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "Pendente" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "O nome {new_name} já existe" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "substituir" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "sugira um nome" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "cancelar" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "substituido {new_name} por {old_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "desfazer" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n pasta" +msgstr[1] "%n pastas" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n ficheiro" +msgstr[1] "%n ficheiros" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" -msgstr "" +msgstr "{dirs} e {files}" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "A carregar %n ficheiro" +msgstr[1] "A carregar %n ficheiros" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "A enviar os ficheiros" @@ -209,7 +210,7 @@ msgstr "O seu espaço de armazenamento está quase cheiro ({usedSpacePercent}%)" msgid "" "Encryption was disabled but your files are still encrypted. Please go to " "your personal settings to decrypt your files." -msgstr "" +msgstr "A encriptação foi desactivada mas os seus ficheiros continuam encriptados. Por favor consulte as suas definições pessoais para desencriptar os ficheiros." #: js/files.js:245 msgid "" @@ -217,15 +218,15 @@ msgid "" "big." msgstr "O seu download está a ser preparado. Este processo pode demorar algum tempo se os ficheiros forem grandes." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Nome" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Tamanho" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Modificado" @@ -302,33 +303,33 @@ msgstr "Não tem permissões de escrita aqui." msgid "Nothing in here. Upload something!" msgstr "Vazio. Envie alguma coisa!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Transferir" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Deixar de partilhar" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Eliminar" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Upload muito grande" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Os ficheiro que está a tentar enviar excedem o tamanho máximo de envio neste servidor." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Os ficheiros estão a ser analisados, por favor aguarde." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Análise actual" diff --git a/l10n/pt_PT/files_trashbin.po b/l10n/pt_PT/files_trashbin.po index e23fb508d18..64a86f404cf 100644 --- a/l10n/pt_PT/files_trashbin.po +++ b/l10n/pt_PT/files_trashbin.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-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-31 14:50+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" @@ -28,43 +28,43 @@ msgstr "Não foi possível eliminar %s de forma permanente" msgid "Couldn't restore %s" msgstr "Não foi possível restaurar %s" -#: js/trash.js:7 js/trash.js:100 +#: js/trash.js:7 js/trash.js:102 msgid "perform restore operation" msgstr "executar a operação de restauro" -#: js/trash.js:20 js/trash.js:48 js/trash.js:118 js/trash.js:146 +#: js/trash.js:20 js/trash.js:49 js/trash.js:120 js/trash.js:148 msgid "Error" msgstr "Erro" -#: js/trash.js:36 +#: js/trash.js:37 msgid "delete file permanently" msgstr "Eliminar permanentemente o(s) ficheiro(s)" -#: js/trash.js:127 +#: js/trash.js:129 msgid "Delete permanently" msgstr "Eliminar permanentemente" -#: js/trash.js:182 templates/index.php:17 +#: js/trash.js:184 templates/index.php:17 msgid "Name" msgstr "Nome" -#: js/trash.js:183 templates/index.php:27 +#: js/trash.js:185 templates/index.php:27 msgid "Deleted" msgstr "Apagado" -#: js/trash.js:191 +#: js/trash.js:193 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n pasta" +msgstr[1] "%n pastas" -#: js/trash.js:197 +#: js/trash.js:199 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n ficheiro" +msgstr[1] "%n ficheiros" -#: lib/trash.php:819 lib/trash.php:821 +#: lib/trash.php:814 lib/trash.php:816 msgid "restored" msgstr "Restaurado" diff --git a/l10n/pt_PT/settings.po b/l10n/pt_PT/settings.po index 3e43edd8945..e2768600954 100644 --- a/l10n/pt_PT/settings.po +++ b/l10n/pt_PT/settings.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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-31 14:50+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" @@ -88,53 +88,53 @@ msgstr "Impossível apagar utilizador do grupo %s" msgid "Couldn't update app." msgstr "Não foi possível actualizar a aplicação." -#: js/apps.js:35 +#: js/apps.js:43 msgid "Update to {appversion}" msgstr "Actualizar para a versão {appversion}" -#: js/apps.js:41 js/apps.js:74 js/apps.js:100 +#: js/apps.js:49 js/apps.js:82 js/apps.js:108 msgid "Disable" msgstr "Desactivar" -#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 +#: js/apps.js:49 js/apps.js:89 js/apps.js:102 js/apps.js:117 msgid "Enable" msgstr "Activar" -#: js/apps.js:63 +#: js/apps.js:71 msgid "Please wait...." msgstr "Por favor aguarde..." -#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +#: js/apps.js:79 js/apps.js:80 js/apps.js:100 msgid "Error while disabling app" -msgstr "" +msgstr "Erro enquanto desactivava a aplicação" -#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +#: js/apps.js:99 js/apps.js:112 js/apps.js:113 msgid "Error while enabling app" -msgstr "" +msgstr "Erro enquanto activava a aplicação" -#: js/apps.js:115 +#: js/apps.js:123 msgid "Updating...." msgstr "A Actualizar..." -#: js/apps.js:118 +#: js/apps.js:126 msgid "Error while updating app" msgstr "Erro enquanto actualizava a aplicação" -#: js/apps.js:118 +#: js/apps.js:126 msgid "Error" msgstr "Erro" -#: js/apps.js:119 templates/apps.php:43 +#: js/apps.js:127 templates/apps.php:43 msgid "Update" msgstr "Actualizar" -#: js/apps.js:122 +#: js/apps.js:130 msgid "Updated" msgstr "Actualizado" #: js/personal.js:150 msgid "Decrypting files... Please wait, this can take some time." -msgstr "" +msgstr "A desencriptar os ficheiros... Por favor aguarde, esta operação pode demorar algum tempo." #: js/personal.js:172 msgid "Saving..." @@ -483,15 +483,15 @@ msgstr "Encriptação" #: templates/personal.php:119 msgid "The encryption app is no longer enabled, decrypt all your file" -msgstr "" +msgstr "A aplicação de encriptação não se encontra mais disponível, desencripte o seu ficheiro" #: templates/personal.php:125 msgid "Log-in password" -msgstr "" +msgstr "Password de entrada" #: templates/personal.php:130 msgid "Decrypt all Files" -msgstr "" +msgstr "Desencriptar todos os ficheiros" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/ro/core.po b/l10n/ro/core.po index 93a50da14d5..6cbf39f5e00 100644 --- a/l10n/ro/core.po +++ b/l10n/ro/core.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -28,7 +28,7 @@ msgstr "%s Partajat »%s« cu tine de" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "grup" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/ro/files.po b/l10n/ro/files.po index 6c1b9795dad..c25183110d0 100644 --- a/l10n/ro/files.po +++ b/l10n/ro/files.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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -79,7 +79,7 @@ msgstr "Nu este suficient spațiu disponibil" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Încărcarea a eșuat" #: ajax/upload.php:127 msgid "Invalid directory." @@ -114,7 +114,7 @@ msgstr "Adresa URL nu poate fi goală." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Nume de dosar invalid. Utilizarea 'Shared' e rezervată de ownCloud" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Eroare" @@ -130,60 +130,60 @@ msgstr "Stergere permanenta" msgid "Rename" msgstr "Redenumire" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "În așteptare" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} deja exista" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "înlocuire" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "sugerează nume" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "anulare" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "{new_name} inlocuit cu {old_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "Anulează ultima acțiune" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "fișiere se încarcă" @@ -221,15 +221,15 @@ msgid "" "big." msgstr "Se pregătește descărcarea. Aceasta poate să dureze ceva timp dacă fișierele sunt mari." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Nume" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Dimensiune" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Modificat" @@ -306,33 +306,33 @@ msgstr "Nu ai permisiunea de a sterge fisiere aici." msgid "Nothing in here. Upload something!" msgstr "Nimic aici. Încarcă ceva!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Descarcă" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Anulare partajare" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Șterge" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Fișierul încărcat este prea mare" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Fișierul care l-ai încărcat a depășită limita maximă admisă la încărcare pe acest server." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Fișierele sunt scanate, te rog așteptă." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "În curs de scanare" diff --git a/l10n/ru/core.po b/l10n/ru/core.po index 59c411b7209..7721c948b2e 100644 --- a/l10n/ru/core.po +++ b/l10n/ru/core.po @@ -15,8 +15,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -32,7 +32,7 @@ msgstr "%s поделился »%s« с вами" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "группа" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/ru/files.po b/l10n/ru/files.po index 7a7e2c74f9e..a97a10cc9ad 100644 --- a/l10n/ru/files.po +++ b/l10n/ru/files.po @@ -12,8 +12,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -81,7 +81,7 @@ msgstr "Недостаточно доступного места в хранил #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Ошибка загрузки" #: ajax/upload.php:127 msgid "Invalid directory." @@ -116,7 +116,7 @@ msgstr "Ссылка не может быть пустой." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Неправильное имя каталога. Имя 'Shared' зарезервировано." -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Ошибка" @@ -132,60 +132,60 @@ msgstr "Удалено навсегда" msgid "Rename" msgstr "Переименовать" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "Ожидание" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} уже существует" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "заменить" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "предложить название" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "отмена" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "заменено {new_name} на {old_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "отмена" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n папка" msgstr[1] "%n папки" msgstr[2] "%n папок" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n файл" msgstr[1] "%n файла" msgstr[2] "%n файлов" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "Закачка %n файла" msgstr[1] "Закачка %n файлов" msgstr[2] "Закачка %n файлов" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "файлы загружаются" @@ -223,15 +223,15 @@ msgid "" "big." msgstr "Загрузка началась. Это может потребовать много времени, если файл большого размера." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Имя" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Размер" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Изменён" @@ -308,33 +308,33 @@ msgstr "У вас нет разрешений на запись здесь." msgid "Nothing in here. Upload something!" msgstr "Здесь ничего нет. Загрузите что-нибудь!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Скачать" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Закрыть общий доступ" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Удалить" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Файл слишком велик" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Файлы, которые вы пытаетесь загрузить, превышают лимит для файлов на этом сервере." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Подождите, файлы сканируются." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Текущее сканирование" diff --git a/l10n/si_LK/core.po b/l10n/si_LK/core.po index 613e0555003..87d7c2b49e7 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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -24,7 +24,7 @@ msgstr "" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "කණ්ඩායම" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/si_LK/files.po b/l10n/si_LK/files.po index 5a47ffe3d4d..ea7a70653c1 100644 --- a/l10n/si_LK/files.po +++ b/l10n/si_LK/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -76,7 +76,7 @@ msgstr "" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "උඩුගත කිරීම අසාර්ථකයි" #: ajax/upload.php:127 msgid "Invalid directory." @@ -111,7 +111,7 @@ msgstr "යොමුව හිස් විය නොහැක" msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "දෝෂයක්" @@ -127,57 +127,57 @@ msgstr "" msgid "Rename" msgstr "නැවත නම් කරන්න" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "ප්‍රතිස්ථාපනය කරන්න" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "නමක් යෝජනා කරන්න" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "අත් හරින්න" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "නිෂ්ප්‍රභ කරන්න" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "" @@ -215,15 +215,15 @@ msgid "" "big." msgstr "" -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "නම" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "ප්‍රමාණය" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "වෙනස් කළ" @@ -300,33 +300,33 @@ msgstr "" msgid "Nothing in here. Upload something!" msgstr "මෙහි කිසිවක් නොමැත. යමක් උඩුගත කරන්න" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "බාන්න" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "නොබෙදු" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "මකා දමන්න" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "උඩුගත කිරීම විශාල වැඩිය" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "ඔබ උඩුගත කිරීමට තැත් කරන ගොනු මෙම සේවාදායකයා උඩුගත කිරීමට ඉඩදී ඇති උපරිම ගොනු විශාලත්වයට වඩා වැඩිය" -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "ගොනු පරික්ෂා කෙරේ. මඳක් රැඳී සිටින්න" -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "වර්තමාන පරික්ෂාව" diff --git a/l10n/sk_SK/core.po b/l10n/sk_SK/core.po index 0c6bbe58a8c..d1688333716 100644 --- a/l10n/sk_SK/core.po +++ b/l10n/sk_SK/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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -26,7 +26,7 @@ msgstr "%s s Vami zdieľa »%s«" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "skupina" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/sk_SK/files.po b/l10n/sk_SK/files.po index 6b81e2d7efe..0ec318ec279 100644 --- a/l10n/sk_SK/files.po +++ b/l10n/sk_SK/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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -77,7 +77,7 @@ msgstr "Nedostatok dostupného úložného priestoru" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Odoslanie bolo neúspešné" #: ajax/upload.php:127 msgid "Invalid directory." @@ -112,7 +112,7 @@ msgstr "URL nemôže byť prázdne." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Neplatný názov priečinka. Názov \"Shared\" je rezervovaný pre ownCloud" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Chyba" @@ -128,60 +128,60 @@ msgstr "Zmazať trvalo" msgid "Rename" msgstr "Premenovať" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "Prebieha" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} už existuje" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "nahradiť" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "pomôcť s menom" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "zrušiť" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "prepísaný {new_name} súborom {old_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "vrátiť" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n priečinok" msgstr[1] "%n priečinky" msgstr[2] "%n priečinkov" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n súbor" msgstr[1] "%n súbory" msgstr[2] "%n súborov" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "Nahrávam %n súbor" msgstr[1] "Nahrávam %n súbory" msgstr[2] "Nahrávam %n súborov" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "nahrávanie súborov" @@ -219,15 +219,15 @@ msgid "" "big." msgstr "Vaše sťahovanie sa pripravuje. Ak sú sťahované súbory veľké, môže to chvíľu trvať." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Názov" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Veľkosť" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Upravené" @@ -304,33 +304,33 @@ msgstr "Nemáte oprávnenie na zápis." msgid "Nothing in here. Upload something!" msgstr "Žiadny súbor. Nahrajte niečo!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Sťahovanie" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Zrušiť zdieľanie" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Zmazať" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Nahrávanie je príliš veľké" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Súbory, ktoré sa snažíte nahrať, presahujú maximálnu veľkosť pre nahratie súborov na tento server." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Čakajte, súbory sú prehľadávané." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Práve prezerané" diff --git a/l10n/sl/core.po b/l10n/sl/core.po index fa6ea1ad860..73fa71d789d 100644 --- a/l10n/sl/core.po +++ b/l10n/sl/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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -26,7 +26,7 @@ msgstr "%s je delil »%s« z vami" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "skupina" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/sl/files.po b/l10n/sl/files.po index 1428fd2d734..79716d1228f 100644 --- a/l10n/sl/files.po +++ b/l10n/sl/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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -77,7 +77,7 @@ msgstr "Na voljo ni dovolj prostora" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Pošiljanje je spodletelo" #: ajax/upload.php:127 msgid "Invalid directory." @@ -112,7 +112,7 @@ msgstr "Naslov URL ne sme biti prazna vrednost." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Ime mape je neveljavno. Uporaba oznake \"Souporaba\" je rezervirana za ownCloud" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Napaka" @@ -128,35 +128,35 @@ msgstr "Izbriši dokončno" msgid "Rename" msgstr "Preimenuj" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "V čakanju ..." -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} že obstaja" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "zamenjaj" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "predlagaj ime" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "prekliči" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "preimenovano ime {new_name} z imenom {old_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "razveljavi" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" @@ -164,7 +164,7 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "" @@ -172,11 +172,11 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" @@ -184,7 +184,7 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "poteka pošiljanje datotek" @@ -222,15 +222,15 @@ msgid "" "big." msgstr "Postopek priprave datoteke za prejem je lahko dolgotrajen, če je datoteka zelo velika." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Ime" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Velikost" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Spremenjeno" @@ -307,33 +307,33 @@ msgstr "Za to mesto ni ustreznih dovoljenj za pisanje." msgid "Nothing in here. Upload something!" msgstr "Tukaj še ni ničesar. Najprej je treba kakšno datoteko poslati v oblak!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Prejmi" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Prekliči souporabo" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Izbriši" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Prekoračenje omejitve velikosti" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Datoteke, ki jih želite poslati, presegajo največjo dovoljeno velikost na strežniku." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Poteka preučevanje datotek, počakajte ..." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Trenutno poteka preučevanje" diff --git a/l10n/sr/core.po b/l10n/sr/core.po index be1b85599a1..3a92c457140 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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -24,7 +24,7 @@ msgstr "" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "група" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/sr/files.po b/l10n/sr/files.po index c5f4089097c..5e4429bcc04 100644 --- a/l10n/sr/files.po +++ b/l10n/sr/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -76,7 +76,7 @@ msgstr "Нема довољно простора" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Отпремање није успело" #: ajax/upload.php:127 msgid "Invalid directory." @@ -111,7 +111,7 @@ msgstr "Адреса не може бити празна." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Грешка" @@ -127,60 +127,60 @@ msgstr "Обриши за стално" msgid "Rename" msgstr "Преименуј" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "На чекању" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} већ постоји" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "замени" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "предложи назив" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "откажи" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "замењено {new_name} са {old_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "опозови" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "датотеке се отпремају" @@ -218,15 +218,15 @@ msgid "" "big." msgstr "Припремам преузимање. Ово може да потраје ако су датотеке велике." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Име" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Величина" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Измењено" @@ -303,33 +303,33 @@ msgstr "Овде немате дозволу за писање." msgid "Nothing in here. Upload something!" msgstr "Овде нема ничег. Отпремите нешто!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Преузми" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Укини дељење" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Обриши" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Датотека је превелика" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Датотеке које желите да отпремите прелазе ограничење у величини." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Скенирам датотеке…" -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Тренутно скенирање" diff --git a/l10n/sv/core.po b/l10n/sv/core.po index 0147f55088e..04d23af90d9 100644 --- a/l10n/sv/core.po +++ b/l10n/sv/core.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -28,7 +28,7 @@ msgstr "%s delade »%s« med dig" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "Grupp" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/sv/files.po b/l10n/sv/files.po index 00cbd7f1a36..2e311fca6d7 100644 --- a/l10n/sv/files.po +++ b/l10n/sv/files.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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-31 16:50+0000\n" +"Last-Translator: Magnus Höglund \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" @@ -80,7 +80,7 @@ msgstr "Inte tillräckligt med lagringsutrymme tillgängligt" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Misslyckad uppladdning" #: ajax/upload.php:127 msgid "Invalid directory." @@ -115,7 +115,7 @@ msgstr "URL kan inte vara tom." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Ogiltigt mappnamn. Användning av 'Shared' är reserverad av ownCloud" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Fel" @@ -131,57 +131,57 @@ msgstr "Radera permanent" msgid "Rename" msgstr "Byt namn" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "Väntar" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} finns redan" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "ersätt" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "föreslå namn" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "avbryt" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "ersatt {new_name} med {old_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "ångra" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n mapp" msgstr[1] "%n mappar" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n fil" msgstr[1] "%n filer" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" -msgstr "" +msgstr "{dirs} och {files}" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "Laddar upp %n fil" msgstr[1] "Laddar upp %n filer" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "filer laddas upp" @@ -219,15 +219,15 @@ msgid "" "big." msgstr "Din nedladdning förbereds. Det kan ta tid om det är stora filer." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Namn" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Storlek" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Ändrad" @@ -304,33 +304,33 @@ msgstr "Du saknar skrivbehörighet här." msgid "Nothing in here. Upload something!" msgstr "Ingenting här. Ladda upp något!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Ladda ner" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Sluta dela" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Radera" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "För stor uppladdning" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Filerna du försöker ladda upp överstiger den maximala storleken för filöverföringar på servern." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Filer skannas, var god vänta" -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Aktuell skanning" diff --git a/l10n/ta_LK/core.po b/l10n/ta_LK/core.po index 71c2bdbf22d..c04debca141 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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -24,7 +24,7 @@ msgstr "" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "குழு" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/ta_LK/files.po b/l10n/ta_LK/files.po index 9bc657e7df4..392dfada7d8 100644 --- a/l10n/ta_LK/files.po +++ b/l10n/ta_LK/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -76,7 +76,7 @@ msgstr "" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "பதிவேற்றல் தோல்வியுற்றது" #: ajax/upload.php:127 msgid "Invalid directory." @@ -111,7 +111,7 @@ msgstr "URL வெறுமையாக இருக்கமுடியாத msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "வழு" @@ -127,57 +127,57 @@ msgstr "" msgid "Rename" msgstr "பெயர்மாற்றம்" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "நிலுவையிலுள்ள" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} ஏற்கனவே உள்ளது" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "மாற்றிடுக" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "பெயரை பரிந்துரைக்க" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "இரத்து செய்க" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "{new_name} ஆனது {old_name} இனால் மாற்றப்பட்டது" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "முன் செயல் நீக்கம் " -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "" @@ -215,15 +215,15 @@ msgid "" "big." msgstr "" -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "பெயர்" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "அளவு" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "மாற்றப்பட்டது" @@ -300,33 +300,33 @@ msgstr "" msgid "Nothing in here. Upload something!" msgstr "இங்கு ஒன்றும் இல்லை. ஏதாவது பதிவேற்றுக!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "பதிவிறக்குக" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "பகிரப்படாதது" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "நீக்குக" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "பதிவேற்றல் மிகப்பெரியது" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "நீங்கள் பதிவேற்ற முயற்சிக்கும் கோப்புகளானது இந்த சேவையகத்தில் கோப்பு பதிவேற்றக்கூடிய ஆகக்கூடிய அளவிலும் கூடியது." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "கோப்புகள் வருடப்படுகின்றன, தயவுசெய்து காத்திருங்கள்." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "தற்போது வருடப்படுபவை" diff --git a/l10n/templates/core.pot b/l10n/templates/core.pot index f9ccbd0049d..f2f058e8d24 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-08-30 09:32-0400\n" +"POT-Creation-Date: 2013-09-01 13:27-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.pot b/l10n/templates/files.pot index be393c44928..7e2f79d2672 100644 --- a/l10n/templates/files.pot +++ b/l10n/templates/files.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-08-30 09:31-0400\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -112,7 +112,7 @@ msgstr "" msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "" @@ -128,57 +128,57 @@ msgstr "" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "" @@ -216,15 +216,15 @@ msgid "" "big." msgstr "" -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "" @@ -301,33 +301,33 @@ msgstr "" msgid "Nothing in here. Upload something!" msgstr "" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "" -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "" -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "" diff --git a/l10n/templates/files_encryption.pot b/l10n/templates/files_encryption.pot index 06a88da5450..0e11e6f04d5 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-08-30 09:31-0400\n" +"POT-Creation-Date: 2013-09-01 13:27-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 79b7984dd18..c0de53d8589 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-08-30 09:32-0400\n" +"POT-Creation-Date: 2013-09-01 13:27-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_sharing.pot b/l10n/templates/files_sharing.pot index 4cfc080a083..ba7bdaaa82e 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-08-30 09:32-0400\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -63,7 +63,7 @@ msgstr "" msgid "%s shared the file %s with you" msgstr "" -#: templates/public.php:26 templates/public.php:88 +#: templates/public.php:26 templates/public.php:92 msgid "Download" msgstr "" @@ -75,6 +75,6 @@ msgstr "" msgid "Cancel upload" msgstr "" -#: templates/public.php:85 +#: templates/public.php:89 msgid "No preview available for" msgstr "" diff --git a/l10n/templates/files_trashbin.pot b/l10n/templates/files_trashbin.pot index ed36dd2e0d3..ca149fb14cc 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-08-30 09:32-0400\n" +"POT-Creation-Date: 2013-09-01 13:27-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 5576a3f45bc..4c568ee555b 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-08-30 09:32-0400\n" +"POT-Creation-Date: 2013-09-01 13:27-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 16f93542555..4d24c3c7a11 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-08-30 09:33-0400\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -265,51 +265,51 @@ msgstr "" msgid "Please double check the installation guides." msgstr "" -#: template/functions.php:80 +#: template/functions.php:96 msgid "seconds ago" msgstr "" -#: template/functions.php:81 +#: template/functions.php:97 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" msgstr[1] "" -#: template/functions.php:82 +#: template/functions.php:98 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" msgstr[1] "" -#: template/functions.php:83 +#: template/functions.php:99 msgid "today" msgstr "" -#: template/functions.php:84 +#: template/functions.php:100 msgid "yesterday" msgstr "" -#: template/functions.php:85 +#: template/functions.php:101 msgid "%n day go" msgid_plural "%n days ago" msgstr[0] "" msgstr[1] "" -#: template/functions.php:86 +#: template/functions.php:102 msgid "last month" msgstr "" -#: template/functions.php:87 +#: template/functions.php:103 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" msgstr[1] "" -#: template/functions.php:88 +#: template/functions.php:104 msgid "last year" msgstr "" -#: template/functions.php:89 +#: template/functions.php:105 msgid "years ago" msgstr "" diff --git a/l10n/templates/settings.pot b/l10n/templates/settings.pot index 33409afcebb..462831bc96f 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-08-30 09:33-0400\n" +"POT-Creation-Date: 2013-09-01 13:27-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_ldap.pot b/l10n/templates/user_ldap.pot index 32ba6b4a95d..a5d6146f1c3 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-08-30 09:32-0400\n" +"POT-Creation-Date: 2013-09-01 13:27-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 04f405c7392..1e53a5a759e 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-08-30 09:32-0400\n" +"POT-Creation-Date: 2013-09-01 13:27-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 d1e093aba89..44071aa2ac3 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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -24,7 +24,7 @@ msgstr "" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "กลุ่มผู้ใช้งาน" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/th_TH/files.po b/l10n/th_TH/files.po index 800c07574fa..beceaab6f50 100644 --- a/l10n/th_TH/files.po +++ b/l10n/th_TH/files.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -76,7 +76,7 @@ msgstr "เหลือพื้นที่ไม่เพียงสำหร #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "อัพโหลดล้มเหลว" #: ajax/upload.php:127 msgid "Invalid directory." @@ -111,7 +111,7 @@ msgstr "URL ไม่สามารถเว้นว่างได้" msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "ข้อผิดพลาด" @@ -127,54 +127,54 @@ msgstr "" msgid "Rename" msgstr "เปลี่ยนชื่อ" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "อยู่ระหว่างดำเนินการ" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} มีอยู่แล้วในระบบ" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "แทนที่" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "แนะนำชื่อ" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "ยกเลิก" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "แทนที่ {new_name} ด้วย {old_name} แล้ว" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "เลิกทำ" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "การอัพโหลดไฟล์" @@ -212,15 +212,15 @@ msgid "" "big." msgstr "กำลังเตรียมดาวน์โหลดข้อมูล หากไฟล์มีขนาดใหญ่ อาจใช้เวลาสักครู่" -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "ชื่อ" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "ขนาด" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "แก้ไขแล้ว" @@ -297,33 +297,33 @@ msgstr "" msgid "Nothing in here. Upload something!" msgstr "ยังไม่มีไฟล์ใดๆอยู่ที่นี่ กรุณาอัพโหลดไฟล์!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "ดาวน์โหลด" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "ยกเลิกการแชร์" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "ลบ" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "ไฟล์ที่อัพโหลดมีขนาดใหญ่เกินไป" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "ไฟล์ที่คุณพยายามที่จะอัพโหลดมีขนาดเกินกว่าขนาดสูงสุดที่กำหนดไว้ให้อัพโหลดได้สำหรับเซิร์ฟเวอร์นี้" -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "ไฟล์กำลังอยู่ระหว่างการสแกน, กรุณารอสักครู่." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "ไฟล์ที่กำลังสแกนอยู่ขณะนี้" diff --git a/l10n/tr/core.po b/l10n/tr/core.po index ad793be7d81..3f86937276e 100644 --- a/l10n/tr/core.po +++ b/l10n/tr/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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -26,7 +26,7 @@ msgstr "%s sizinle »%s« paylaşımında bulundu" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "grup" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/tr/files.po b/l10n/tr/files.po index ec4947bf1e3..5fe275702b0 100644 --- a/l10n/tr/files.po +++ b/l10n/tr/files.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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -79,7 +79,7 @@ msgstr "Yeterli disk alanı yok" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Yükleme başarısız" #: ajax/upload.php:127 msgid "Invalid directory." @@ -114,7 +114,7 @@ msgstr "URL boş olamaz." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "Geçersiz dizin adı. 'Shared' dizin ismi kullanımı ownCloud tarafından rezerve edilmiştir." -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Hata" @@ -130,57 +130,57 @@ msgstr "Kalıcı olarak sil" msgid "Rename" msgstr "İsim değiştir." -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "Bekliyor" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} zaten mevcut" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "değiştir" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "Öneri ad" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "iptal" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "{new_name} ismi {old_name} ile değiştirildi" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "geri al" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n dizin" msgstr[1] "%n dizin" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n dosya" msgstr[1] "%n dosya" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "%n dosya yükleniyor" msgstr[1] "%n dosya yükleniyor" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "Dosyalar yükleniyor" @@ -218,15 +218,15 @@ msgid "" "big." msgstr "İndirmeniz hazırlanıyor. Dosya büyük ise biraz zaman alabilir." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "İsim" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Boyut" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Değiştirilme" @@ -303,33 +303,33 @@ msgstr "Buraya erişim hakkınız yok." msgid "Nothing in here. Upload something!" msgstr "Burada hiçbir şey yok. Birşeyler yükleyin!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "İndir" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Paylaşılmayan" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Sil" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Yükleme çok büyük" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Yüklemeye çalıştığınız dosyalar bu sunucudaki maksimum yükleme boyutunu aşıyor." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Dosyalar taranıyor, lütfen bekleyin." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Güncel tarama" diff --git a/l10n/ug/core.po b/l10n/ug/core.po index e4e9c2bb89e..307adf55903 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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+0000\n" "Last-Translator: I Robot \n" "Language-Team: Uighur \n" "MIME-Version: 1.0\n" @@ -24,7 +24,7 @@ msgstr "" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "گۇرۇپپا" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/uk/core.po b/l10n/uk/core.po index 5626dcfa66f..9467404002f 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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -24,7 +24,7 @@ msgstr "" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "група" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/uk/files.po b/l10n/uk/files.po index b862958c94f..cd61a53093e 100644 --- a/l10n/uk/files.po +++ b/l10n/uk/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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -77,7 +77,7 @@ msgstr "Місця більше немає" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Помилка завантаження" #: ajax/upload.php:127 msgid "Invalid directory." @@ -112,7 +112,7 @@ msgstr "URL не може бути пустим." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Помилка" @@ -128,60 +128,60 @@ msgstr "Видалити назавжди" msgid "Rename" msgstr "Перейменувати" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "Очікування" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} вже існує" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "заміна" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "запропонуйте назву" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "відміна" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "замінено {new_name} на {old_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "відмінити" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "файли завантажуються" @@ -219,15 +219,15 @@ msgid "" "big." msgstr "Ваше завантаження готується. Це може зайняти деякий час, якщо файли завеликі." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Ім'я" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Розмір" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Змінено" @@ -304,33 +304,33 @@ msgstr "У вас тут немає прав на запис." msgid "Nothing in here. Upload something!" msgstr "Тут нічого немає. Відвантажте що-небудь!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Завантажити" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Закрити доступ" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Видалити" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Файл занадто великий" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Файли,що ви намагаєтесь відвантажити перевищують максимальний дозволений розмір файлів на цьому сервері." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Файли скануються, зачекайте, будь-ласка." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Поточне сканування" diff --git a/l10n/vi/core.po b/l10n/vi/core.po index d7196f3ab9f..dda5098f3cb 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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -25,7 +25,7 @@ msgstr "" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "nhóm" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/vi/files.po b/l10n/vi/files.po index 3d1f24debd6..bba27b3142c 100644 --- a/l10n/vi/files.po +++ b/l10n/vi/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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -77,7 +77,7 @@ msgstr "Không đủ không gian lưu trữ" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "Tải lên thất bại" #: ajax/upload.php:127 msgid "Invalid directory." @@ -112,7 +112,7 @@ msgstr "URL không được để trống." msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "Lỗi" @@ -128,54 +128,54 @@ msgstr "Xóa vĩnh vễn" msgid "Rename" msgstr "Sửa tên" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "Đang chờ" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} đã tồn tại" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "thay thế" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "tên gợi ý" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "hủy" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "đã thay thế {new_name} bằng {old_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "lùi lại" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "tệp tin đang được tải lên" @@ -213,15 +213,15 @@ msgid "" "big." msgstr "Your download is being prepared. This might take some time if the files are big." -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "Tên" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "Kích cỡ" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "Thay đổi" @@ -298,33 +298,33 @@ msgstr "Bạn không có quyền ghi vào đây." msgid "Nothing in here. Upload something!" msgstr "Không có gì ở đây .Hãy tải lên một cái gì đó !" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "Tải về" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "Bỏ chia sẻ" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "Xóa" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "Tập tin tải lên quá lớn" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "Các tập tin bạn đang tải lên vượt quá kích thước tối đa cho phép trên máy chủ ." -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "Tập tin đang được quét ,vui lòng chờ." -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "Hiện tại đang quét" diff --git a/l10n/zh_CN/core.po b/l10n/zh_CN/core.po index d05019be94c..450b3755876 100644 --- a/l10n/zh_CN/core.po +++ b/l10n/zh_CN/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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -27,7 +27,7 @@ msgstr "%s 向您分享了 »%s«" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "组" #: ajax/update.php:11 msgid "Turned on maintenance mode" diff --git a/l10n/zh_CN/files.po b/l10n/zh_CN/files.po index fe65471744c..a61fb2a34d3 100644 --- a/l10n/zh_CN/files.po +++ b/l10n/zh_CN/files.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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-08-30 13:50+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" @@ -79,7 +79,7 @@ msgstr "没有足够的存储空间" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "上传失败" #: ajax/upload.php:127 msgid "Invalid directory." @@ -114,7 +114,7 @@ msgstr "URL不能为空" msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "无效的文件夹名。”Shared“ 是 Owncloud 预留的文件夹" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "错误" @@ -130,54 +130,54 @@ msgstr "永久删除" msgid "Rename" msgstr "重命名" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "等待" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} 已存在" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "替换" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "建议名称" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "取消" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "已将 {old_name}替换成 {new_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "撤销" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n 文件夹" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n个文件" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" msgstr "" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" msgstr "文件上传中" @@ -215,15 +215,15 @@ msgid "" "big." msgstr "下载正在准备中。如果文件较大可能会花费一些时间。" -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "名称" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "大小" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" msgstr "修改日期" @@ -300,33 +300,33 @@ msgstr "您没有写权限" msgid "Nothing in here. Upload something!" msgstr "这里还什么都没有。上传些东西吧!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "下载" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" msgstr "取消共享" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "删除" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "上传文件过大" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." msgstr "您正尝试上传的文件超过了此服务器可以上传的最大容量限制" -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "文件正在被扫描,请稍候。" -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" msgstr "当前扫描" diff --git a/l10n/zh_TW/core.po b/l10n/zh_TW/core.po index 52d6f701174..2a689d6fc8f 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-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-09-01 13:10+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" @@ -26,32 +26,32 @@ msgstr "%s 與您分享了 %s" #: ajax/share.php:227 msgid "group" -msgstr "" +msgstr "群組" #: ajax/update.php:11 msgid "Turned on maintenance mode" -msgstr "" +msgstr "已啓用維護模式" #: ajax/update.php:14 msgid "Turned off maintenance mode" -msgstr "" +msgstr "已停用維護模式" #: ajax/update.php:17 msgid "Updated database" -msgstr "" +msgstr "已更新資料庫" #: ajax/update.php:20 msgid "Updating filecache, this may take really long..." -msgstr "" +msgstr "更新檔案快取,這可能要很久…" #: ajax/update.php:23 msgid "Updated filecache" -msgstr "" +msgstr "已更新檔案快取" #: ajax/update.php:26 #, php-format msgid "... %d%% done ..." -msgstr "" +msgstr "已完成 %d%%" #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." @@ -64,13 +64,13 @@ msgstr "沒有可增加的分類?" #: ajax/vcategories/add.php:37 #, php-format msgid "This category already exists: %s" -msgstr "分類已經存在: %s" +msgstr "分類已經存在:%s" #: 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 "不支援的物件類型" +msgstr "未指定物件類型" #: ajax/vcategories/addToFavorites.php:30 #: ajax/vcategories/removeFromFavorites.php:30 @@ -291,7 +291,7 @@ msgstr "{owner} 已經和您分享" #: js/share.js:183 msgid "Share with" -msgstr "與...分享" +msgstr "分享給別人" #: js/share.js:188 msgid "Share with link" @@ -319,7 +319,7 @@ msgstr "寄出" #: js/share.js:208 msgid "Set expiration date" -msgstr "設置到期日" +msgstr "指定到期日" #: js/share.js:209 msgid "Expiration date" @@ -343,7 +343,7 @@ msgstr "已和 {user} 分享 {item}" #: js/share.js:338 msgid "Unshare" -msgstr "取消共享" +msgstr "取消分享" #: js/share.js:350 msgid "can edit" @@ -375,15 +375,15 @@ msgstr "受密碼保護" #: js/share.js:643 msgid "Error unsetting expiration date" -msgstr "解除過期日設定失敗" +msgstr "取消到期日設定失敗" #: js/share.js:655 msgid "Error setting expiration date" -msgstr "錯誤的到期日設定" +msgstr "設定到期日發生錯誤" #: js/share.js:670 msgid "Sending ..." -msgstr "正在傳送..." +msgstr "正在傳送…" #: js/share.js:681 msgid "Email sent" @@ -414,7 +414,7 @@ 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 "重設密碼的連結已經寄至您的電子郵件信箱,如果您過了一段時間還是沒有收到它,請檢查看看它是不是被放到垃圾郵件了,如果還是沒有的話,請聯絡您的 ownCloud 系統管理員。" +msgstr "重設密碼的連結已經寄至您的電子郵件信箱,如果您過了一段時間還是沒有收到它,請檢查看看它是不是被歸為垃圾郵件了,如果還是沒有的話,請聯絡您的 ownCloud 系統管理員。" #: lostpassword/templates/lostpassword.php:12 msgid "Request failed!
    Did you make sure your email/username was right?" @@ -487,7 +487,7 @@ msgstr "存取被拒" #: templates/404.php:15 msgid "Cloud not found" -msgstr "未發現雲端" +msgstr "找不到網頁" #: templates/altmail.php:2 #, php-format @@ -498,7 +498,7 @@ msgid "" "View it: %s\n" "\n" "Cheers!" -msgstr "嗨,\n\n通知您,%s 與您分享了 %s 。\n看一下:%s" +msgstr "嗨,\n\n通知您一聲,%s 與您分享了 %s 。\n您可以到 %s 看看" #: templates/edit_categories_dialog.php:4 msgid "Edit categories" @@ -557,7 +557,7 @@ msgstr "進階" #: templates/installation.php:67 msgid "Data folder" -msgstr "資料夾" +msgstr "資料儲存位置" #: templates/installation.php:77 msgid "Configure the database" @@ -630,16 +630,16 @@ msgstr "登入" #: templates/login.php:45 msgid "Alternative Logins" -msgstr "替代登入方法" +msgstr "其他登入方法" #: templates/mail.php:15 #, php-format msgid "" "Hey there,

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

    Cheers!" -msgstr "嗨,

    通知您,%s 與您分享了 %s ,
    看一下吧" +msgstr "嗨,

    通知您一聲,%s 與您分享了 %s ,
    看一下吧" #: templates/update.php:3 #, php-format msgid "Updating ownCloud to version %s, this may take a while." -msgstr "正在將 Owncloud 升級至版本 %s ,這可能需要一點時間。" +msgstr "正在將 ownCloud 升級至版本 %s ,這可能需要一點時間。" diff --git a/l10n/zh_TW/files.po b/l10n/zh_TW/files.po index ffc68f12388..260d80d6bf5 100644 --- a/l10n/zh_TW/files.po +++ b/l10n/zh_TW/files.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-08-30 09:31-0400\n" -"PO-Revision-Date: 2013-08-30 13:34+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-09-01 13: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" @@ -21,7 +21,7 @@ msgstr "" #: ajax/move.php:17 #, php-format msgid "Could not move %s - File with this name already exists" -msgstr "無法移動 %s - 同名的檔案已經存在" +msgstr "無法移動 %s ,同名的檔案已經存在" #: ajax/move.php:27 ajax/move.php:30 #, php-format @@ -30,7 +30,7 @@ msgstr "無法移動 %s" #: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." -msgstr "無法設定上傳目錄。" +msgstr "無法設定上傳目錄" #: ajax/upload.php:22 msgid "Invalid Token" @@ -38,11 +38,11 @@ msgstr "無效的 token" #: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" -msgstr "沒有檔案被上傳。未知的錯誤。" +msgstr "沒有檔案被上傳,原因未知" #: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" -msgstr "無錯誤,檔案上傳成功" +msgstr "一切都順利,檔案上傳成功" #: ajax/upload.php:67 msgid "" @@ -77,11 +77,11 @@ msgstr "儲存空間不足" #: ajax/upload.php:109 msgid "Upload failed" -msgstr "" +msgstr "上傳失敗" #: ajax/upload.php:127 msgid "Invalid directory." -msgstr "無效的資料夾。" +msgstr "無效的資料夾" #: appinfo/app.php:12 msgid "Files" @@ -89,7 +89,7 @@ msgstr "檔案" #: js/file-upload.js:11 msgid "Unable to upload your file as it is a directory or has 0 bytes" -msgstr "無法上傳您的檔案因為它可能是一個目錄或檔案大小為0" +msgstr "無法上傳您的檔案,因為它可能是一個目錄或檔案大小為0" #: js/file-upload.js:24 msgid "Not enough space available" @@ -102,17 +102,17 @@ msgstr "上傳已取消" #: js/file-upload.js:165 msgid "" "File upload is in progress. Leaving the page now will cancel the upload." -msgstr "檔案上傳中。離開此頁面將會取消上傳。" +msgstr "檔案上傳中,離開此頁面將會取消上傳。" #: js/file-upload.js:239 msgid "URL cannot be empty." -msgstr "URL 不能為空白。" +msgstr "URL 不能為空" #: js/file-upload.js:244 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" msgstr "無效的資料夾名稱,'Shared' 的使用被 ownCloud 保留" -#: js/file-upload.js:275 js/file-upload.js:291 js/files.js:511 js/files.js:549 +#: js/file-upload.js:276 js/file-upload.js:292 js/files.js:512 js/files.js:550 msgid "Error" msgstr "錯誤" @@ -128,70 +128,70 @@ msgstr "永久刪除" msgid "Rename" msgstr "重新命名" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:573 +#: js/filelist.js:50 js/filelist.js:53 js/filelist.js:575 msgid "Pending" msgstr "等候中" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "{new_name} already exists" msgstr "{new_name} 已經存在" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "replace" msgstr "取代" -#: js/filelist.js:305 +#: js/filelist.js:307 msgid "suggest name" msgstr "建議檔名" -#: js/filelist.js:305 js/filelist.js:307 +#: js/filelist.js:307 js/filelist.js:309 msgid "cancel" msgstr "取消" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "replaced {new_name} with {old_name}" msgstr "使用 {new_name} 取代 {old_name}" -#: js/filelist.js:352 +#: js/filelist.js:354 msgid "undo" msgstr "復原" -#: js/filelist.js:422 js/filelist.js:488 js/files.js:580 +#: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n 個資料夾" -#: js/filelist.js:423 js/filelist.js:489 js/files.js:586 +#: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n 個檔案" -#: js/filelist.js:430 +#: js/filelist.js:432 msgid "{dirs} and {files}" -msgstr "" +msgstr "{dirs} 和 {files}" -#: js/filelist.js:561 +#: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" msgstr[0] "%n 個檔案正在上傳" -#: js/filelist.js:626 +#: js/filelist.js:628 msgid "files uploading" -msgstr "檔案正在上傳中" +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!" @@ -213,17 +213,17 @@ msgid "" "big." msgstr "正在準備您的下載,若您的檔案較大,將會需要更多時間。" -#: js/files.js:562 templates/index.php:67 +#: js/files.js:563 templates/index.php:69 msgid "Name" msgstr "名稱" -#: js/files.js:563 templates/index.php:78 +#: js/files.js:564 templates/index.php:81 msgid "Size" msgstr "大小" -#: js/files.js:564 templates/index.php:80 +#: js/files.js:565 templates/index.php:83 msgid "Modified" -msgstr "修改" +msgstr "修改時間" #: lib/app.php:73 #, php-format @@ -240,7 +240,7 @@ msgstr "檔案處理" #: templates/admin.php:7 msgid "Maximum upload size" -msgstr "最大上傳檔案大小" +msgstr "上傳限制" #: templates/admin.php:10 msgid "max. possible: " @@ -248,11 +248,11 @@ msgstr "最大允許:" #: templates/admin.php:15 msgid "Needed for multi-file and folder downloads." -msgstr "針對多檔案和目錄下載是必填的。" +msgstr "下載多檔案和目錄時,此項是必填的。" #: templates/admin.php:17 msgid "Enable ZIP-download" -msgstr "啟用 Zip 下載" +msgstr "啟用 ZIP 下載" #: templates/admin.php:20 msgid "0 is unlimited" @@ -260,7 +260,7 @@ msgstr "0代表沒有限制" #: templates/admin.php:22 msgid "Maximum input size for ZIP files" -msgstr "針對 ZIP 檔案最大輸入大小" +msgstr "ZIP 壓縮前的原始大小限制" #: templates/admin.php:26 msgid "Save" @@ -284,7 +284,7 @@ msgstr "從連結" #: templates/index.php:41 msgid "Deleted files" -msgstr "已刪除的檔案" +msgstr "回收桶" #: templates/index.php:46 msgid "Cancel upload" @@ -292,42 +292,42 @@ msgstr "取消上傳" #: templates/index.php:52 msgid "You don’t have write permissions here." -msgstr "您在這裡沒有編輯權。" +msgstr "您在這裡沒有編輯權" #: templates/index.php:59 msgid "Nothing in here. Upload something!" -msgstr "這裡什麼也沒有,上傳一些東西吧!" +msgstr "這裡還沒有東西,上傳一些吧!" -#: templates/index.php:73 +#: templates/index.php:75 msgid "Download" msgstr "下載" -#: templates/index.php:85 templates/index.php:86 +#: templates/index.php:88 templates/index.php:89 msgid "Unshare" -msgstr "取消共享" +msgstr "取消分享" -#: templates/index.php:91 templates/index.php:92 +#: templates/index.php:94 templates/index.php:95 msgid "Delete" msgstr "刪除" -#: templates/index.php:105 +#: templates/index.php:108 msgid "Upload too large" msgstr "上傳過大" -#: templates/index.php:107 +#: templates/index.php:110 msgid "" "The files you are trying to upload exceed the maximum size for file uploads " "on this server." -msgstr "您試圖上傳的檔案已超過伺服器的最大檔案大小限制。" +msgstr "您試圖上傳的檔案大小超過伺服器的限制。" -#: templates/index.php:112 +#: templates/index.php:115 msgid "Files are being scanned, please wait." msgstr "正在掃描檔案,請稍等。" -#: templates/index.php:115 +#: templates/index.php:118 msgid "Current scanning" -msgstr "目前掃描" +msgstr "正在掃描" #: templates/upgrade.php:2 msgid "Upgrading filesystem cache..." -msgstr "正在升級檔案系統快取..." +msgstr "正在升級檔案系統快取…" diff --git a/l10n/zh_TW/files_sharing.po b/l10n/zh_TW/files_sharing.po index 37faace2e6e..59f0e459f57 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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-26 04:20+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-09-01 13: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" @@ -20,7 +20,7 @@ msgstr "" #: templates/authenticate.php:4 msgid "The password is wrong. Try again." -msgstr "請檢查您的密碼並再試一次。" +msgstr "請檢查您的密碼並再試一次" #: templates/authenticate.php:7 msgid "Password" @@ -32,7 +32,7 @@ msgstr "送出" #: templates/part.404.php:3 msgid "Sorry, this link doesn’t seem to work anymore." -msgstr "抱歉,這連結看來已經不能用了。" +msgstr "抱歉,此連結已經失效" #: templates/part.404.php:4 msgid "Reasons might be:" @@ -64,7 +64,7 @@ msgstr "%s 和您分享了資料夾 %s " msgid "%s shared the file %s with you" msgstr "%s 和您分享了檔案 %s" -#: templates/public.php:26 templates/public.php:88 +#: templates/public.php:26 templates/public.php:92 msgid "Download" msgstr "下載" @@ -76,6 +76,6 @@ msgstr "上傳" msgid "Cancel upload" msgstr "取消上傳" -#: templates/public.php:85 +#: templates/public.php:89 msgid "No preview available for" msgstr "無法預覽" diff --git a/l10n/zh_TW/files_trashbin.po b/l10n/zh_TW/files_trashbin.po index 53c5a7baec1..57f79d287d9 100644 --- a/l10n/zh_TW/files_trashbin.po +++ b/l10n/zh_TW/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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-26 04:00+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-09-01 13: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" @@ -28,47 +28,47 @@ msgstr "無法永久刪除 %s" msgid "Couldn't restore %s" msgstr "無法還原 %s" -#: js/trash.js:7 js/trash.js:100 +#: js/trash.js:7 js/trash.js:102 msgid "perform restore operation" msgstr "進行還原動作" -#: js/trash.js:20 js/trash.js:48 js/trash.js:118 js/trash.js:146 +#: js/trash.js:20 js/trash.js:49 js/trash.js:120 js/trash.js:148 msgid "Error" msgstr "錯誤" -#: js/trash.js:36 +#: js/trash.js:37 msgid "delete file permanently" msgstr "永久刪除檔案" -#: js/trash.js:127 +#: js/trash.js:129 msgid "Delete permanently" msgstr "永久刪除" -#: js/trash.js:182 templates/index.php:17 +#: js/trash.js:184 templates/index.php:17 msgid "Name" msgstr "名稱" -#: js/trash.js:183 templates/index.php:27 +#: js/trash.js:185 templates/index.php:27 msgid "Deleted" msgstr "已刪除" -#: js/trash.js:191 +#: js/trash.js:193 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "%n 個資料夾" -#: js/trash.js:197 +#: js/trash.js:199 msgid "%n file" msgid_plural "%n files" msgstr[0] "%n 個檔案" -#: lib/trash.php:819 lib/trash.php:821 +#: lib/trash.php:814 lib/trash.php:816 msgid "restored" msgstr "已還原" #: templates/index.php:9 msgid "Nothing in here. Your trash bin is empty!" -msgstr "您的垃圾桶是空的!" +msgstr "您的回收桶是空的!" #: templates/index.php:20 templates/index.php:22 msgid "Restore" diff --git a/l10n/zh_TW/settings.po b/l10n/zh_TW/settings.po index 9ba8be581ba..5bda63d03bd 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-08-27 11:18-0400\n" -"PO-Revision-Date: 2013-08-26 04:10+0000\n" +"POT-Creation-Date: 2013-09-01 13:27-0400\n" +"PO-Revision-Date: 2013-09-01 14:00+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" @@ -85,47 +85,47 @@ msgstr "使用者移出群組 %s 錯誤" msgid "Couldn't update app." msgstr "無法更新應用程式" -#: js/apps.js:35 +#: js/apps.js:43 msgid "Update to {appversion}" msgstr "更新至 {appversion}" -#: js/apps.js:41 js/apps.js:74 js/apps.js:100 +#: js/apps.js:49 js/apps.js:82 js/apps.js:108 msgid "Disable" msgstr "停用" -#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 +#: js/apps.js:49 js/apps.js:89 js/apps.js:102 js/apps.js:117 msgid "Enable" msgstr "啟用" -#: js/apps.js:63 +#: js/apps.js:71 msgid "Please wait...." msgstr "請稍候..." -#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +#: js/apps.js:79 js/apps.js:80 js/apps.js:100 msgid "Error while disabling app" msgstr "停用應用程式錯誤" -#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +#: js/apps.js:99 js/apps.js:112 js/apps.js:113 msgid "Error while enabling app" msgstr "啓用應用程式錯誤" -#: js/apps.js:115 +#: js/apps.js:123 msgid "Updating...." msgstr "更新中..." -#: js/apps.js:118 +#: js/apps.js:126 msgid "Error while updating app" msgstr "更新應用程式錯誤" -#: js/apps.js:118 +#: js/apps.js:126 msgid "Error" msgstr "錯誤" -#: js/apps.js:119 templates/apps.php:43 +#: js/apps.js:127 templates/apps.php:43 msgid "Update" msgstr "更新" -#: js/apps.js:122 +#: js/apps.js:130 msgid "Updated" msgstr "已更新" @@ -356,7 +356,7 @@ msgid "" "licensed under the AGPL." -msgstr "由 ownCloud 社群開發,原始碼AGPL 許可證下發布。" +msgstr "由 ownCloud 社群開發,原始碼AGPL 授權許可下發布。" #: templates/apps.php:13 msgid "Add your App" @@ -472,7 +472,7 @@ msgstr "WebDAV" msgid "" "Use this address to access your Files via WebDAV" -msgstr "使用這個網址來透過 WebDAV 存取您的檔案" +msgstr "以上的 WebDAV 位址可以讓您透過 WebDAV 協定存取檔案" #: templates/personal.php:117 msgid "Encryption" diff --git a/lib/l10n/es.php b/lib/l10n/es.php index 14bbf6f6a13..7a82f8f6a19 100644 --- a/lib/l10n/es.php +++ b/lib/l10n/es.php @@ -1,5 +1,7 @@ "La aplicación \"%s\" no puede ser instalada porque no es compatible con esta versión de ownCloud", +"No app name specified" => "No se ha especificado nombre de la aplicación", "Help" => "Ayuda", "Personal" => "Personal", "Settings" => "Ajustes", @@ -13,6 +15,15 @@ $TRANSLATIONS = array( "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.", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "Descargue los archivos en trozos más pequeños, por separado o solicítelos amablemente su administrador.", +"No source specified when installing app" => "No se ha especificado origen cuando se ha instalado la aplicación", +"No href specified when installing app from http" => "No href especificado cuando se ha instalado la aplicación", +"No path specified when installing app from local file" => "Sin path especificado cuando se ha instalado la aplicación desde el fichero local", +"Archives of type %s are not supported" => "Ficheros de tipo %s no son soportados", +"Failed to open archive when installing app" => "Fallo de apertura de fichero mientras se instala la aplicación", +"App does not provide an info.xml file" => "La aplicación no suministra un fichero info.xml", +"App can't be installed because of not allowed code in the App" => "La aplicación no puede ser instalada por tener código no autorizado en la aplicación", +"App can't be installed because it is not compatible with this version of ownCloud" => "La aplicación no se puede instalar porque no es compatible con esta versión de ownCloud", +"App can't be installed because it contains the true tag which is not allowed for non shipped apps" => "La aplicación no se puede instalar porque contiene la etiqueta\n\ntrue\n\nque no está permitida para aplicaciones no distribuidas", "Application is not enabled" => "La aplicación no está habilitada", "Authentication error" => "Error de autenticación", "Token expired. Please reload page." => "Token expirado. Por favor, recarga la página.", diff --git a/lib/l10n/it.php b/lib/l10n/it.php index a35027eb962..c3a040048ec 100644 --- a/lib/l10n/it.php +++ b/lib/l10n/it.php @@ -23,6 +23,7 @@ $TRANSLATIONS = array( "App does not provide an info.xml file" => "L'applicazione non fornisce un file info.xml", "App can't be installed because of not allowed code in the App" => "L'applicazione non può essere installata a causa di codice non consentito al suo interno", "App can't be installed because it is not compatible with this version of ownCloud" => "L'applicazione non può essere installata poiché non è compatibile con questa versione di ownCloud", +"App can't be installed because it contains the true tag which is not allowed for non shipped apps" => "L'applicazione non può essere installata poiché contiene il tag true che non è permesso alle applicazioni non shipped", "App can't be installed because the version in info.xml/version is not the same as the version reported from the app store" => "L'applicazione non può essere installata poiché la versione in info.xml/version non è la stessa riportata dall'app store", "App directory already exists" => "La cartella dell'applicazione esiste già", "Can't create app folder. Please fix permissions. %s" => "Impossibile creare la cartella dell'applicazione. Correggi i permessi. %s", diff --git a/lib/l10n/ja_JP.php b/lib/l10n/ja_JP.php index 902170524b9..e2b67e76187 100644 --- a/lib/l10n/ja_JP.php +++ b/lib/l10n/ja_JP.php @@ -1,5 +1,7 @@ " \"%s\" アプリは、このバージョンのownCloudと互換性がない為、インストールできません。", +"No app name specified" => "アプリ名が未指定", "Help" => "ヘルプ", "Personal" => "個人", "Settings" => "設定", @@ -13,6 +15,17 @@ $TRANSLATIONS = array( "Back to Files" => "ファイルに戻る", "Selected files too large to generate zip file." => "選択したファイルはZIPファイルの生成には大きすぎます。", "Download the files in smaller chunks, seperately or kindly ask your administrator." => "ファイルは、小さいファイルに分割されてダウンロードされます。もしくは、管理者にお尋ねください。", +"No source specified when installing app" => "アプリインストール時のソースが未指定", +"No href specified when installing app from http" => "アプリインストール時のhttpの URL が未指定", +"No path specified when installing app from local file" => "アプリインストール時のローカルファイルのパスが未指定", +"Archives of type %s are not supported" => "\"%s\"タイプのアーカイブ形式は未サポート", +"Failed to open archive when installing app" => "アプリをインストール中にアーカイブファイルを開けませんでした。", +"App does not provide an info.xml file" => "アプリにinfo.xmlファイルが入っていません", +"App can't be installed because of not allowed code in the App" => "アプリで許可されないコードが入っているのが原因でアプリがインストールできません", +"App can't be installed because it is not compatible with this version of ownCloud" => "アプリは、このバージョンのownCloudと互換性がない為、インストールできません。", +"App can't be installed because the version in info.xml/version is not the same as the version reported from the app store" => "info.xml/versionのバージョンがアプリストアのバージョンと合っていない為、アプリはインストールされません", +"App directory already exists" => "アプリディレクトリは既に存在します", +"Can't create app folder. Please fix permissions. %s" => "アプリフォルダを作成出来ませんでした。%s のパーミッションを修正してください。", "Application is not enabled" => "アプリケーションは無効です", "Authentication error" => "認証エラー", "Token expired. Please reload page." => "トークンが無効になりました。ページを再読込してください。", diff --git a/settings/l10n/it.php b/settings/l10n/it.php index 0fda1309395..29594a95dcf 100644 --- a/settings/l10n/it.php +++ b/settings/l10n/it.php @@ -20,6 +20,8 @@ $TRANSLATIONS = array( "Disable" => "Disabilita", "Enable" => "Abilita", "Please wait...." => "Attendere...", +"Error while disabling app" => "Errore durante la disattivazione", +"Error while enabling app" => "Errore durante l'attivazione", "Updating...." => "Aggiornamento in corso...", "Error while updating app" => "Errore durante l'aggiornamento", "Error" => "Errore", diff --git a/settings/l10n/ja_JP.php b/settings/l10n/ja_JP.php index 8bbdc222e43..63e83cab4dd 100644 --- a/settings/l10n/ja_JP.php +++ b/settings/l10n/ja_JP.php @@ -20,6 +20,8 @@ $TRANSLATIONS = array( "Disable" => "無効", "Enable" => "有効化", "Please wait...." => "しばらくお待ちください。", +"Error while disabling app" => "アプリ無効化中にエラーが発生", +"Error while enabling app" => "アプリ有効化中にエラーが発生", "Updating...." => "更新中....", "Error while updating app" => "アプリの更新中にエラーが発生", "Error" => "エラー", diff --git a/settings/l10n/pt_PT.php b/settings/l10n/pt_PT.php index d72bca799dd..e1299bb9649 100644 --- a/settings/l10n/pt_PT.php +++ b/settings/l10n/pt_PT.php @@ -20,11 +20,14 @@ $TRANSLATIONS = array( "Disable" => "Desactivar", "Enable" => "Activar", "Please wait...." => "Por favor aguarde...", +"Error while disabling app" => "Erro enquanto desactivava a aplicação", +"Error while enabling app" => "Erro enquanto activava a aplicação", "Updating...." => "A Actualizar...", "Error while updating app" => "Erro enquanto actualizava a aplicação", "Error" => "Erro", "Update" => "Actualizar", "Updated" => "Actualizado", +"Decrypting files... Please wait, this can take some time." => "A desencriptar os ficheiros... Por favor aguarde, esta operação pode demorar algum tempo.", "Saving..." => "A guardar...", "deleted" => "apagado", "undo" => "desfazer", @@ -102,6 +105,9 @@ $TRANSLATIONS = array( "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Use este endereço para aceder aos seus ficheiros via WebDav", "Encryption" => "Encriptação", +"The encryption app is no longer enabled, decrypt all your file" => "A aplicação de encriptação não se encontra mais disponível, desencripte o seu ficheiro", +"Log-in password" => "Password de entrada", +"Decrypt all Files" => "Desencriptar todos os ficheiros", "Login Name" => "Nome de utilizador", "Create" => "Criar", "Admin Recovery Password" => "Recuperar password de administrador", diff --git a/settings/l10n/zh_TW.php b/settings/l10n/zh_TW.php index 5cd3679751b..73c015d17af 100644 --- a/settings/l10n/zh_TW.php +++ b/settings/l10n/zh_TW.php @@ -75,7 +75,7 @@ $TRANSLATIONS = array( "More" => "更多", "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" => "選擇一個應用程式", @@ -103,7 +103,7 @@ $TRANSLATIONS = array( "Language" => "語言", "Help translate" => "幫助翻譯", "WebDAV" => "WebDAV", -"Use this address to access your Files via WebDAV" => "使用這個網址來透過 WebDAV 存取您的檔案", +"Use this address to access your Files via WebDAV" => "以上的 WebDAV 位址可以讓您透過 WebDAV 協定存取檔案", "Encryption" => "加密", "The encryption app is no longer enabled, decrypt all your file" => "加密應用程式已經停用,請您解密您所有的檔案", "Log-in password" => "登入密碼", -- GitLab From 1e501a852169843f8dc95b587adb18d4c33aaf6a Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Mon, 2 Sep 2013 08:05:47 +0200 Subject: [PATCH 402/415] IE8 fixes --- core/css/fixes.css | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/core/css/fixes.css b/core/css/fixes.css index 3df60ad5b5c..a33bd94bb10 100644 --- a/core/css/fixes.css +++ b/core/css/fixes.css @@ -44,3 +44,7 @@ height: auto !important; } +/* oc-dialog only uses box shadow which is not supported by ie8 */ +.ie8 .oc-dialog { + border: 1px solid #888888; +} -- GitLab From fb34f49913e55731031a2e5c1b8041259df5c5ef Mon Sep 17 00:00:00 2001 From: Owen Winkler Date: Sun, 18 Aug 2013 13:11:48 -0400 Subject: [PATCH 403/415] Start a branch for easier OpenSSL configuration. --- apps/files_encryption/lib/crypt.php | 1 + apps/files_encryption/lib/helper.php | 12 +++++++++++- config/config.sample.php | 5 +++++ 3 files changed, 17 insertions(+), 1 deletion(-) diff --git a/apps/files_encryption/lib/crypt.php b/apps/files_encryption/lib/crypt.php index e129bc9313e..7eab620baa5 100755 --- a/apps/files_encryption/lib/crypt.php +++ b/apps/files_encryption/lib/crypt.php @@ -52,6 +52,7 @@ class Crypt { $return = false; + $res = \OCA\Encryption\Helper::getOpenSSLPkey(); $res = openssl_pkey_new(array('private_key_bits' => 4096)); if ($res === false) { diff --git a/apps/files_encryption/lib/helper.php b/apps/files_encryption/lib/helper.php index 0209a5d18b7..2cc905c2914 100755 --- a/apps/files_encryption/lib/helper.php +++ b/apps/files_encryption/lib/helper.php @@ -265,7 +265,7 @@ class Helper { * @return bool true if configuration seems to be OK */ public static function checkConfiguration() { - if(openssl_pkey_new(array('private_key_bits' => 4096))) { + if(self::getOpenSSLPkey()) { return true; } else { while ($msg = openssl_error_string()) { @@ -275,6 +275,16 @@ class Helper { } } + /** + * Create an openssl pkey with config-supplied settings + * @return resource The pkey resource created + */ + public static function getOpenSSLPkey() { + $config = array('private_key_bits' => 4096); + $config = array_merge(\OCP\Config::getSystemValue('openssl'), $config); + return openssl_pkey_new($config); + } + /** * @brief glob uses different pattern than regular expressions, escape glob pattern only * @param unescaped path diff --git a/config/config.sample.php b/config/config.sample.php index 5f748438bc7..6425baf87cb 100644 --- a/config/config.sample.php +++ b/config/config.sample.php @@ -214,4 +214,9 @@ $CONFIG = array( 'preview_libreoffice_path' => '/usr/bin/libreoffice', /* cl parameters for libreoffice / openoffice */ 'preview_office_cl_parameters' => '', + +// Extra SSL options to be used for configuration +'openssl' => array( + //'config' => '/path/to/openssl.cnf', +), ); -- GitLab From 9a263a500abb6e6eaf482fcb962fcd9d652e076c Mon Sep 17 00:00:00 2001 From: Owen Winkler Date: Mon, 19 Aug 2013 06:36:19 -0400 Subject: [PATCH 404/415] Employ config option for OpenSSL config file, if provided. This should help make OpenSSL configuration on Windows servers easier by allowing the openssl.cnf file to be set directly in the ownCloud config, rather than in SetEnv commands that don't exist and are hard to replicate in IIS. --- apps/files_encryption/lib/crypt.php | 9 +++++---- apps/files_encryption/lib/helper.php | 17 +++++++++++++++-- config/config.sample.php | 2 +- 3 files changed, 21 insertions(+), 7 deletions(-) diff --git a/apps/files_encryption/lib/crypt.php b/apps/files_encryption/lib/crypt.php index 7eab620baa5..c009718160a 100755 --- a/apps/files_encryption/lib/crypt.php +++ b/apps/files_encryption/lib/crypt.php @@ -52,15 +52,14 @@ class Crypt { $return = false; - $res = \OCA\Encryption\Helper::getOpenSSLPkey(); - $res = openssl_pkey_new(array('private_key_bits' => 4096)); + $res = Helper::getOpenSSLPkey(); if ($res === false) { \OCP\Util::writeLog('Encryption library', 'couldn\'t generate users key-pair for ' . \OCP\User::getUser(), \OCP\Util::ERROR); while ($msg = openssl_error_string()) { \OCP\Util::writeLog('Encryption library', 'openssl_pkey_new() fails: ' . $msg, \OCP\Util::ERROR); } - } elseif (openssl_pkey_export($res, $privateKey)) { + } elseif (openssl_pkey_export($res, $privateKey, null, Helper::getOpenSSLConfig())) { // Get public key $keyDetails = openssl_pkey_get_details($res); $publicKey = $keyDetails['key']; @@ -71,7 +70,9 @@ class Crypt { ); } else { \OCP\Util::writeLog('Encryption library', 'couldn\'t export users private key, please check your servers openSSL configuration.' . \OCP\User::getUser(), \OCP\Util::ERROR); - \OCP\Util::writeLog('Encryption library', openssl_error_string(), \OCP\Util::ERROR); + while($errMsg = openssl_error_string()) { + \OCP\Util::writeLog('Encryption library', $errMsg, \OCP\Util::ERROR); + } } return $return; diff --git a/apps/files_encryption/lib/helper.php b/apps/files_encryption/lib/helper.php index 2cc905c2914..10447a07bb8 100755 --- a/apps/files_encryption/lib/helper.php +++ b/apps/files_encryption/lib/helper.php @@ -280,9 +280,22 @@ class Helper { * @return resource The pkey resource created */ public static function getOpenSSLPkey() { + static $res = null; + if (is_null($res)) { + $res = openssl_pkey_new(self::getOpenSSLConfig()); + } + return $res; + } + + /** + * Return an array of OpenSSL config options, default + config + * Used for multiple OpenSSL functions + * @return array The combined defaults and config settings + */ + public static function getOpenSSLConfig() { $config = array('private_key_bits' => 4096); - $config = array_merge(\OCP\Config::getSystemValue('openssl'), $config); - return openssl_pkey_new($config); + $config = array_merge(\OCP\Config::getSystemValue('openssl', array()), $config); + return $config; } /** diff --git a/config/config.sample.php b/config/config.sample.php index 6425baf87cb..51ef60588d6 100644 --- a/config/config.sample.php +++ b/config/config.sample.php @@ -217,6 +217,6 @@ $CONFIG = array( // Extra SSL options to be used for configuration 'openssl' => array( - //'config' => '/path/to/openssl.cnf', + //'config' => '/absolute/location/of/openssl.cnf', ), ); -- GitLab From df7bfa4bf03646a4f62758c1b7745e06790ce58d Mon Sep 17 00:00:00 2001 From: ringmaster Date: Mon, 26 Aug 2013 12:08:23 -0400 Subject: [PATCH 405/415] Don't cache the pkey, skip generation if the keyfile exists --- apps/files_encryption/hooks/hooks.php | 17 +++++++++-------- apps/files_encryption/lib/helper.php | 7 ++----- 2 files changed, 11 insertions(+), 13 deletions(-) diff --git a/apps/files_encryption/hooks/hooks.php b/apps/files_encryption/hooks/hooks.php index de306462d79..85169e6a1d0 100644 --- a/apps/files_encryption/hooks/hooks.php +++ b/apps/files_encryption/hooks/hooks.php @@ -36,14 +36,6 @@ class Hooks { */ public static function login($params) { $l = new \OC_L10N('files_encryption'); - //check if all requirements are met - if(!Helper::checkRequirements() || !Helper::checkConfiguration() ) { - $error_msg = $l->t("Missing requirements."); - $hint = $l->t('Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL together with the PHP extension is enabled and configured properly. For now, the encryption app has been disabled.'); - \OC_App::disable('files_encryption'); - \OCP\Util::writeLog('Encryption library', $error_msg . ' ' . $hint, \OCP\Util::ERROR); - \OCP\Template::printErrorPage($error_msg, $hint); - } $view = new \OC_FilesystemView('/'); @@ -54,6 +46,15 @@ class Hooks { $util = new Util($view, $params['uid']); + //check if all requirements are met + if(!$util->ready() && (!Helper::checkRequirements() || !Helper::checkConfiguration())) { + $error_msg = $l->t("Missing requirements."); + $hint = $l->t('Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL together with the PHP extension is enabled and configured properly. For now, the encryption app has been disabled.'); + \OC_App::disable('files_encryption'); + \OCP\Util::writeLog('Encryption library', $error_msg . ' ' . $hint, \OCP\Util::ERROR); + \OCP\Template::printErrorPage($error_msg, $hint); + } + // setup user, if user not ready force relogin if (Helper::setupUser($util, $params['password']) === false) { return false; diff --git a/apps/files_encryption/lib/helper.php b/apps/files_encryption/lib/helper.php index 10447a07bb8..cb5d5fdfb34 100755 --- a/apps/files_encryption/lib/helper.php +++ b/apps/files_encryption/lib/helper.php @@ -277,14 +277,11 @@ class Helper { /** * Create an openssl pkey with config-supplied settings + * WARNING: This initializes and caches a new private keypair, which is computationally expensive * @return resource The pkey resource created */ public static function getOpenSSLPkey() { - static $res = null; - if (is_null($res)) { - $res = openssl_pkey_new(self::getOpenSSLConfig()); - } - return $res; + return openssl_pkey_new(self::getOpenSSLConfig()); } /** -- GitLab From 39f4538e0f897b96f1e5a614048156fa8869bc9c Mon Sep 17 00:00:00 2001 From: ringmaster Date: Mon, 26 Aug 2013 15:56:45 -0400 Subject: [PATCH 406/415] This function doesn't cache anymore. Adjusted PHPDoc to suit. --- apps/files_encryption/lib/helper.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/apps/files_encryption/lib/helper.php b/apps/files_encryption/lib/helper.php index cb5d5fdfb34..445d7ff8ca7 100755 --- a/apps/files_encryption/lib/helper.php +++ b/apps/files_encryption/lib/helper.php @@ -277,7 +277,7 @@ class Helper { /** * Create an openssl pkey with config-supplied settings - * WARNING: This initializes and caches a new private keypair, which is computationally expensive + * WARNING: This initializes a new private keypair, which is computationally expensive * @return resource The pkey resource created */ public static function getOpenSSLPkey() { -- GitLab From e7a14ea32df04f32bb08b318b2156a093964e837 Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Mon, 2 Sep 2013 16:41:18 +0200 Subject: [PATCH 407/415] RGB -> HSL --- core/js/placeholder.js | 11 ++++------- 1 file changed, 4 insertions(+), 7 deletions(-) diff --git a/core/js/placeholder.js b/core/js/placeholder.js index 16543541cb4..16ebbf99a77 100644 --- a/core/js/placeholder.js +++ b/core/js/placeholder.js @@ -41,16 +41,13 @@ (function ($) { $.fn.placeholder = function(seed) { var hash = md5(seed), - maxRange = parseInt('ffffffffff', 16), - red = parseInt(hash.substr(0,10), 16) / maxRange * 256, - green = parseInt(hash.substr(10,10), 16) / maxRange * 256, - blue = parseInt(hash.substr(20,10), 16) / maxRange * 256, - rgb = [Math.floor(red), Math.floor(green), Math.floor(blue)], + maxRange = parseInt('ffffffffffffffffffffffffffffffff', 16), + hue = parseInt(hash, 16) / maxRange * 256, height = this.height(); - this.css('background-color', 'rgb(' + rgb.join(',') + ')'); + this.css('background-color', 'hsl(' + hue + ', 50%, 50%)'); // CSS rules - this.css('color', 'rgb(255, 255, 255)'); + this.css('color', '#fff'); this.css('font-weight', 'bold'); this.css('text-align', 'center'); -- GitLab From 57a1219ca0fb83a508e1df00263eb59d6aae61bf Mon Sep 17 00:00:00 2001 From: Jan-Christoph Borchardt Date: Mon, 2 Sep 2013 18:20:18 +0200 Subject: [PATCH 408/415] placeholder.js: adjust saturation and lightness values --- core/js/placeholder.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/core/js/placeholder.js b/core/js/placeholder.js index 16ebbf99a77..167499940b5 100644 --- a/core/js/placeholder.js +++ b/core/js/placeholder.js @@ -34,7 +34,7 @@ * * Which will result in: * - *
    T
    + *
    T
    * */ @@ -44,7 +44,7 @@ maxRange = parseInt('ffffffffffffffffffffffffffffffff', 16), hue = parseInt(hash, 16) / maxRange * 256, height = this.height(); - this.css('background-color', 'hsl(' + hue + ', 50%, 50%)'); + this.css('background-color', 'hsl(' + hue + ', 90%, 65%)'); // CSS rules this.css('color', '#fff'); -- GitLab From 9eeb27c91a43edb41cd6c341bad4b06298ec0d08 Mon Sep 17 00:00:00 2001 From: Jan-Christoph Borchardt Date: Mon, 2 Sep 2013 18:29:16 +0200 Subject: [PATCH 409/415] placeholder.js: fix typo --- core/js/placeholder.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/core/js/placeholder.js b/core/js/placeholder.js index 167499940b5..d63730547d7 100644 --- a/core/js/placeholder.js +++ b/core/js/placeholder.js @@ -34,7 +34,7 @@ * * Which will result in: * - *
    T
    + *
    T
    * */ -- GitLab From 87035fc4784cacad5b29c8dbc032239aa01cb54d Mon Sep 17 00:00:00 2001 From: Bernhard Posselt Date: Mon, 2 Sep 2013 19:38:47 +0200 Subject: [PATCH 410/415] center utils --- core/css/apps.css | 1 + 1 file changed, 1 insertion(+) diff --git a/core/css/apps.css b/core/css/apps.css index 445a3b9b59f..5de146feb1f 100644 --- a/core/css/apps.css +++ b/core/css/apps.css @@ -129,6 +129,7 @@ /* counter and actions */ #app-navigation .utils { position: absolute; + padding: 7px 7px 0 0; right: 0; top: 0; bottom: 0; -- GitLab From 53a7f80ac3e5cf07db6ca01b048f2a25a526eb83 Mon Sep 17 00:00:00 2001 From: Thomas Tanghus Date: Mon, 2 Sep 2013 23:53:45 +0200 Subject: [PATCH 411/415] Use provided mimetype on open. Fix #4696 --- core/js/oc-dialogs.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/core/js/oc-dialogs.js b/core/js/oc-dialogs.js index 4092b8d0746..6b768641586 100644 --- a/core/js/oc-dialogs.js +++ b/core/js/oc-dialogs.js @@ -77,7 +77,7 @@ var OCdialogs = { self.$filePicker = $tmpl.octemplate({ dialog_name: dialog_name, title: title - }).data('path', ''); + }).data('path', '').data('multiselect', multiselect).data('mimetype', mimetype_filter); if (modal === undefined) { modal = false; @@ -100,7 +100,7 @@ var OCdialogs = { self._handlePickerClick(event, $(this)); }); self._fillFilePicker(''); - }).data('multiselect', multiselect).data('mimetype',mimetype_filter); + }); // build buttons var functionToCall = function() { -- GitLab From b0c6f990e4e5ad7bb635cf8a296a14da6a1eb47a Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?J=C3=B6rn=20Friedrich=20Dreyer?= Date: Tue, 3 Sep 2013 13:12:19 +0200 Subject: [PATCH 412/415] use on to add event listener instead of deprecated jquery bind --- core/js/oc-requesttoken.js | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/core/js/oc-requesttoken.js b/core/js/oc-requesttoken.js index 6cc6b5a855b..0d7f40c592a 100644 --- a/core/js/oc-requesttoken.js +++ b/core/js/oc-requesttoken.js @@ -1,3 +1,4 @@ -$(document).bind('ajaxSend', function(elm, xhr, s) { +$(document).on('ajaxSend',function(elm, xhr, s) { xhr.setRequestHeader('requesttoken', oc_requesttoken); }); + -- GitLab From 449fe8c75ed6ccc52708d6efa1c7a00a7d0836d3 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?J=C3=B6rn=20Friedrich=20Dreyer?= Date: Tue, 3 Sep 2013 13:17:16 +0200 Subject: [PATCH 413/415] Revert "remove editor div in filelist", add "is deprecated" comment This reverts commit 64d09452f55c0c73fe0d55a70f82d8ad7a386d7c. --- apps/files/templates/index.php | 1 + 1 file changed, 1 insertion(+) diff --git a/apps/files/templates/index.php b/apps/files/templates/index.php index dd783e95cca..cf8865b59c9 100644 --- a/apps/files/templates/index.php +++ b/apps/files/templates/index.php @@ -101,6 +101,7 @@
    +

    t('The files you are trying to upload exceed the maximum size for file uploads on this server.'));?> -- GitLab From fe0b8ac2c0e4ffd06ab8a14d18a701e1ab9071af Mon Sep 17 00:00:00 2001 From: Jenkins for ownCloud Date: Tue, 3 Sep 2013 07:46:55 -0400 Subject: [PATCH 414/415] [tx-robot] updated from transifex --- apps/files/l10n/fr.php | 8 ++-- apps/files/l10n/pt_BR.php | 2 + apps/files_encryption/l10n/fr.php | 2 + apps/files_encryption/l10n/hu_HU.php | 14 ++++++- apps/files_sharing/l10n/fr.php | 6 +++ apps/files_trashbin/l10n/fr.php | 5 ++- apps/files_versions/l10n/fr.php | 3 ++ apps/user_webdavauth/l10n/fr.php | 4 +- core/l10n/fr.php | 17 ++++++-- core/l10n/hi.php | 14 +++++++ l10n/fr/core.po | 40 +++++++++---------- l10n/fr/files.po | 22 +++++----- l10n/fr/files_encryption.po | 16 ++++---- l10n/fr/files_sharing.po | 23 ++++++----- l10n/fr/files_trashbin.po | 31 +++++++------- l10n/fr/files_versions.po | 15 +++---- l10n/fr/lib.po | 32 +++++++-------- l10n/fr/settings.po | 60 ++++++++++++++-------------- l10n/fr/user_webdavauth.po | 12 +++--- l10n/hi/core.po | 35 ++++++++-------- l10n/hu_HU/files_encryption.po | 37 ++++++++--------- l10n/pt_BR/files.po | 10 ++--- l10n/templates/core.pot | 2 +- l10n/templates/files.pot | 2 +- l10n/templates/files_encryption.pot | 8 ++-- l10n/templates/files_external.pot | 2 +- l10n/templates/files_sharing.pot | 2 +- l10n/templates/files_trashbin.pot | 2 +- l10n/templates/files_versions.pot | 2 +- l10n/templates/lib.pot | 2 +- l10n/templates/settings.pot | 2 +- l10n/templates/user_ldap.pot | 2 +- l10n/templates/user_webdavauth.pot | 2 +- lib/l10n/fr.php | 8 ++-- settings/l10n/fr.php | 16 ++++++++ 35 files changed, 267 insertions(+), 193 deletions(-) diff --git a/apps/files/l10n/fr.php b/apps/files/l10n/fr.php index 4e3b0de112a..ce19bb60eb7 100644 --- a/apps/files/l10n/fr.php +++ b/apps/files/l10n/fr.php @@ -33,15 +33,17 @@ $TRANSLATIONS = array( "cancel" => "annuler", "replaced {new_name} with {old_name}" => "{new_name} a été remplacé par {old_name}", "undo" => "annuler", -"_%n folder_::_%n folders_" => array("",""), -"_%n file_::_%n files_" => array("",""), -"_Uploading %n file_::_Uploading %n files_" => array("",""), +"_%n folder_::_%n folders_" => array("%n dossier","%n dossiers"), +"_%n file_::_%n files_" => array("%n fichier","%n fichiers"), +"{dirs} and {files}" => "{dir} et {files}", +"_Uploading %n file_::_Uploading %n files_" => array("Téléversement de %n fichier","Téléversement de %n fichiers"), "files uploading" => "fichiers en cours d'envoi", "'.' is an invalid file name." => "'.' n'est pas un nom de fichier valide.", "File name cannot be empty." => "Le nom de fichier ne peut être vide.", "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Nom invalide, les caractères '\\', '/', '<', '>', ':', '\"', '|', '?' et '*' ne sont pas autorisés.", "Your storage is full, files can not be updated or synced anymore!" => "Votre espage de stockage est plein, les fichiers ne peuvent plus être téléversés ou synchronisés !", "Your storage is almost full ({usedSpacePercent}%)" => "Votre espace de stockage est presque plein ({usedSpacePercent}%)", +"Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "Le chiffrement était désactivé mais vos fichiers sont toujours chiffrés. Veuillez vous rendre sur vos Paramètres personnels pour déchiffrer vos fichiers.", "Your download is being prepared. This might take some time if the files are big." => "Votre téléchargement est cours de préparation. Ceci peut nécessiter un certain temps si les fichiers sont volumineux.", "Name" => "Nom", "Size" => "Taille", diff --git a/apps/files/l10n/pt_BR.php b/apps/files/l10n/pt_BR.php index 15d0c170e66..de9644bd588 100644 --- a/apps/files/l10n/pt_BR.php +++ b/apps/files/l10n/pt_BR.php @@ -35,6 +35,7 @@ $TRANSLATIONS = array( "undo" => "desfazer", "_%n folder_::_%n folders_" => array("",""), "_%n file_::_%n files_" => array("",""), +"{dirs} and {files}" => "{dirs} e {files}", "_Uploading %n file_::_Uploading %n files_" => array("",""), "files uploading" => "enviando arquivos", "'.' is an invalid file name." => "'.' é um nome de arquivo inválido.", @@ -42,6 +43,7 @@ $TRANSLATIONS = array( "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Nome inválido, '\\', '/', '<', '>', ':', '\"', '|', '?' e '*' não são permitidos.", "Your storage is full, files can not be updated or synced anymore!" => "Seu armazenamento está cheio, arquivos não podem mais ser atualizados ou sincronizados!", "Your storage is almost full ({usedSpacePercent}%)" => "Seu armazenamento está quase cheio ({usedSpacePercent}%)", +"Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." => "Encriptação foi desabilitada mas seus arquivos continuam encriptados. Por favor vá a suas configurações pessoais para descriptar seus arquivos.", "Your download is being prepared. This might take some time if the files are big." => "Seu download está sendo preparado. Isto pode levar algum tempo se os arquivos forem grandes.", "Name" => "Nome", "Size" => "Tamanho", diff --git a/apps/files_encryption/l10n/fr.php b/apps/files_encryption/l10n/fr.php index 12af8101394..358937441e2 100644 --- a/apps/files_encryption/l10n/fr.php +++ b/apps/files_encryption/l10n/fr.php @@ -10,6 +10,8 @@ $TRANSLATIONS = array( "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 OpenSSL together with the 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 supérieure est installée et qu'OpenSSL et son extension PHP sont activés et configurés correctement. En attendant, l'application de chiffrement été désactivée.", +"Following users are not set up for encryption:" => "Les utilisateurs suivants ne sont pas configurés pour le chiffrement :", "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/hu_HU.php b/apps/files_encryption/l10n/hu_HU.php index 49dcf817fb7..323291bbfbe 100644 --- a/apps/files_encryption/l10n/hu_HU.php +++ b/apps/files_encryption/l10n/hu_HU.php @@ -1,6 +1,18 @@ "Visszaállítási kulcs sikeresen kikapcsolva", +"Password successfully changed." => "Jelszó sikeresen megváltoztatva.", +"Could not change the password. Maybe the old password was not correct." => "A jelszót nem lehet megváltoztatni! Lehet, hogy hibás volt a régi jelszó.", +"Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL together with the PHP extension is enabled and configured properly. For now, the encryption app has been disabled." => "Kérlek győződj meg arról, hogy PHP 5.3.3 vagy annál frissebb van telepítve, valamint a PHP-hez tartozó OpenSSL bővítmény be van-e kapcsolva és az helyesen van-e konfigurálva! Ki lett kapcsolva ideiglenesen a titkosító alkalmazás.", "Saving..." => "Mentés...", -"Encryption" => "Titkosítás" +"personal settings" => "személyes beállítások", +"Encryption" => "Titkosítás", +"Enabled" => "Bekapcsolva", +"Disabled" => "Kikapcsolva", +"Change Password" => "Jelszó megváltoztatása", +"Old log-in password" => "Régi bejelentkezési jelszó", +"Current log-in password" => "Jelenlegi bejelentkezési jelszó", +"Update Private Key Password" => "Privát kulcs jelszó frissítése", +"Enable password recovery:" => "Jelszó-visszaállítás bekapcsolása" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/apps/files_sharing/l10n/fr.php b/apps/files_sharing/l10n/fr.php index b263cd87959..c97a1db97e4 100644 --- a/apps/files_sharing/l10n/fr.php +++ b/apps/files_sharing/l10n/fr.php @@ -3,6 +3,12 @@ $TRANSLATIONS = array( "The password is wrong. Try again." => "Le mot de passe est incorrect. Veuillez réessayer.", "Password" => "Mot de passe", "Submit" => "Envoyer", +"Sorry, this link doesn’t seem to work anymore." => "Désolé, mais le lien semble ne plus fonctionner.", +"Reasons might be:" => "Les raisons peuvent être :", +"the item was removed" => "l'item a été supprimé", +"the link expired" => "le lien a expiré", +"sharing is disabled" => "le partage est désactivé", +"For more info, please ask the person who sent this link." => "Pour plus d'informations, veuillez contacter la personne qui a envoyé ce lien.", "%s shared the folder %s with you" => "%s a partagé le répertoire %s avec vous", "%s shared the file %s with you" => "%s a partagé le fichier %s avec vous", "Download" => "Télécharger", diff --git a/apps/files_trashbin/l10n/fr.php b/apps/files_trashbin/l10n/fr.php index 8854190e2ce..45527805ce1 100644 --- a/apps/files_trashbin/l10n/fr.php +++ b/apps/files_trashbin/l10n/fr.php @@ -8,8 +8,9 @@ $TRANSLATIONS = array( "Delete permanently" => "Supprimer de façon définitive", "Name" => "Nom", "Deleted" => "Effacé", -"_%n folder_::_%n folders_" => array("",""), -"_%n file_::_%n files_" => array("",""), +"_%n folder_::_%n folders_" => array("","%n dossiers"), +"_%n file_::_%n files_" => array("","%n fichiers"), +"restored" => "restauré", "Nothing in here. Your trash bin is empty!" => "Il n'y a rien ici. Votre corbeille est vide !", "Restore" => "Restaurer", "Delete" => "Supprimer", diff --git a/apps/files_versions/l10n/fr.php b/apps/files_versions/l10n/fr.php index 537783e6c9f..7f3df1bce41 100644 --- a/apps/files_versions/l10n/fr.php +++ b/apps/files_versions/l10n/fr.php @@ -2,6 +2,9 @@ $TRANSLATIONS = array( "Could not revert: %s" => "Impossible de restaurer %s", "Versions" => "Versions", +"Failed to revert {file} to revision {timestamp}." => "Échec du retour du fichier {file} à la révision {timestamp}.", +"More versions..." => "Plus de versions...", +"No other versions available" => "Aucune autre version disponible", "Restore" => "Restaurer" ); $PLURAL_FORMS = "nplurals=2; plural=(n > 1);"; diff --git a/apps/user_webdavauth/l10n/fr.php b/apps/user_webdavauth/l10n/fr.php index 0130e35c816..709fa53dac5 100644 --- a/apps/user_webdavauth/l10n/fr.php +++ b/apps/user_webdavauth/l10n/fr.php @@ -1,5 +1,7 @@ "Authentification WebDAV" +"WebDAV Authentication" => "Authentification WebDAV", +"Address: " => "Adresse :", +"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." => "Les informations de connexion de l'utilisateur seront envoyées à cette adresse. Ce module analyse le code de la réponse HTTP et considère les codes 401 et 403 comme une authentification invalide et tout autre valeur comme une authentification valide." ); $PLURAL_FORMS = "nplurals=2; plural=(n > 1);"; diff --git a/core/l10n/fr.php b/core/l10n/fr.php index 81fad258337..0f338a09340 100644 --- a/core/l10n/fr.php +++ b/core/l10n/fr.php @@ -2,6 +2,12 @@ $TRANSLATIONS = array( "%s shared »%s« with you" => "%s partagé »%s« avec vous", "group" => "groupe", +"Turned on maintenance mode" => "Basculé en mode maintenance", +"Turned off maintenance mode" => "Basculé en mode production (non maintenance)", +"Updated database" => "Base de données mise à jour", +"Updating filecache, this may take really long..." => "En cours de mise à jour de cache de fichiers. Cette opération peut être très longue...", +"Updated filecache" => "Cache de fichier mis à jour", +"... %d%% done ..." => "... %d%% effectué ...", "Category type not provided." => "Type de catégorie non spécifié.", "No category to add?" => "Pas de catégorie à ajouter ?", "This category already exists: %s" => "Cette catégorie existe déjà : %s", @@ -31,13 +37,13 @@ $TRANSLATIONS = array( "December" => "décembre", "Settings" => "Paramètres", "seconds ago" => "il y a quelques secondes", -"_%n minute ago_::_%n minutes ago_" => array("",""), -"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n minute ago_::_%n minutes ago_" => array("il y a %n minute","il y a %n minutes"), +"_%n hour ago_::_%n hours ago_" => array("Il y a %n heure","Il y a %n heures"), "today" => "aujourd'hui", "yesterday" => "hier", -"_%n day ago_::_%n days ago_" => array("",""), +"_%n day ago_::_%n days ago_" => array("il y a %n jour","il y a %n jours"), "last month" => "le mois dernier", -"_%n month ago_::_%n months ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("Il y a %n mois","Il y a %n mois"), "months ago" => "il y a plusieurs mois", "last year" => "l'année dernière", "years ago" => "il y a plusieurs années", @@ -84,6 +90,7 @@ $TRANSLATIONS = array( "Email sent" => "Email envoyé", "The update was unsuccessful. Please report this issue to the ownCloud community." => "La mise à jour a échoué. Veuillez signaler ce problème à la communauté ownCloud.", "The update was successful. Redirecting you to ownCloud now." => "La mise à jour a réussi. Vous êtes redirigé maintenant vers ownCloud.", +"%s password reset" => "Réinitialisation de votre mot de passe %s", "Use the following link to reset your password: {link}" => "Utilisez le lien suivant pour réinitialiser votre mot de passe : {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 ." => "Le lien permettant de réinitialiser votre mot de passe vous a été transmis.
    Si vous ne le recevez pas dans un délai raisonnable, vérifier votre boîte de pourriels.
    Au besoin, contactez votre administrateur local.", "Request failed!
    Did you make sure your email/username was right?" => "Requête en échec!
    Avez-vous vérifié vos courriel/nom d'utilisateur?", @@ -108,9 +115,11 @@ $TRANSLATIONS = array( "Add" => "Ajouter", "Security Warning" => "Avertissement de sécurité", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Votre version de PHP est vulnérable à l'attaque par caractère NULL (CVE-2006-7243)", +"Please update your PHP installation to use %s securely." => "Veuillez mettre à jour votre installation PHP pour utiliser %s de façon sécurisée.", "No secure random number generator is available, please enable the PHP OpenSSL extension." => "Aucun générateur de nombre aléatoire sécurisé n'est disponible, veuillez activer l'extension PHP OpenSSL", "Without a secure random number generator an attacker may be able to predict password reset tokens and take over your account." => "Sans générateur de nombre aléatoire sécurisé, un attaquant peut être en mesure de prédire les jetons de réinitialisation du mot de passe, et ainsi prendre le contrôle de votre compte utilisateur.", "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." => "Votre répertoire data est certainement accessible depuis l'internet car le fichier .htaccess ne semble pas fonctionner", +"For information how to properly configure your server, please see the documentation." => "Pour les informations de configuration de votre serveur, veuillez lire la documentation.", "Create an admin account" => "Créer un compte administrateur", "Advanced" => "Avancé", "Data folder" => "Répertoire des données", diff --git a/core/l10n/hi.php b/core/l10n/hi.php index 00cb5926d70..29e67f68abf 100644 --- a/core/l10n/hi.php +++ b/core/l10n/hi.php @@ -1,5 +1,15 @@ "कैटेगरी प्रकार उपलब्ध नहीं है", +"This category already exists: %s" => "यह कैटेगरी पहले से ही मौजूद है: %s", +"Object type not provided." => "ऑब्जेक्ट प्रकार नहीं दिया हुआ", +"Sunday" => "रविवार", +"Monday" => "सोमवार", +"Tuesday" => "मंगलवार", +"Wednesday" => "बुधवार", +"Thursday" => "बृहस्पतिवार", +"Friday" => "शुक्रवार", +"Saturday" => "शनिवार", "January" => "जनवरी", "February" => "फरवरी", "March" => "मार्च", @@ -21,6 +31,9 @@ $TRANSLATIONS = array( "Share" => "साझा करें", "Share with" => "के साथ साझा", "Password" => "पासवर्ड", +"Send" => "भेजें", +"Sending ..." => "भेजा जा रहा है", +"Email sent" => "ईमेल भेज दिया गया है ", "Use the following link to reset your password: {link}" => "आगे दिये गये लिंक का उपयोग पासवर्ड बदलने के लिये किजीये: {link}", "You will receive a link to reset your password via Email." => "पासवर्ड बदलने कि लिंक आपको ई-मेल द्वारा भेजी जायेगी|", "Username" => "प्रयोक्ता का नाम", @@ -31,6 +44,7 @@ $TRANSLATIONS = array( "Apps" => "Apps", "Help" => "सहयोग", "Cloud not found" => "क्लौड नहीं मिला ", +"Add" => "डाले", "Create an admin account" => "व्यवस्थापक खाता बनाएँ", "Advanced" => "उन्नत", "Data folder" => "डाटा फोल्डर", diff --git a/l10n/fr/core.po b/l10n/fr/core.po index f5b034ae31c..4215f9dc597 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-09-01 13:27-0400\n" -"PO-Revision-Date: 2013-08-30 13:50+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-09-03 07:43-0400\n" +"PO-Revision-Date: 2013-09-03 09:30+0000\n" +"Last-Translator: Christophe Lherieau \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" @@ -33,28 +33,28 @@ msgstr "groupe" #: ajax/update.php:11 msgid "Turned on maintenance mode" -msgstr "" +msgstr "Basculé en mode maintenance" #: ajax/update.php:14 msgid "Turned off maintenance mode" -msgstr "" +msgstr "Basculé en mode production (non maintenance)" #: ajax/update.php:17 msgid "Updated database" -msgstr "" +msgstr "Base de données mise à jour" #: ajax/update.php:20 msgid "Updating filecache, this may take really long..." -msgstr "" +msgstr "En cours de mise à jour de cache de fichiers. Cette opération peut être très longue..." #: ajax/update.php:23 msgid "Updated filecache" -msgstr "" +msgstr "Cache de fichier mis à jour" #: ajax/update.php:26 #, php-format msgid "... %d%% done ..." -msgstr "" +msgstr "... %d%% effectué ..." #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." @@ -182,14 +182,14 @@ msgstr "il y a quelques secondes" #: js/js.js:813 msgid "%n minute ago" msgid_plural "%n minutes ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "il y a %n minute" +msgstr[1] "il y a %n minutes" #: js/js.js:814 msgid "%n hour ago" msgid_plural "%n hours ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Il y a %n heure" +msgstr[1] "Il y a %n heures" #: js/js.js:815 msgid "today" @@ -202,8 +202,8 @@ msgstr "hier" #: js/js.js:817 msgid "%n day ago" msgid_plural "%n days ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "il y a %n jour" +msgstr[1] "il y a %n jours" #: js/js.js:818 msgid "last month" @@ -212,8 +212,8 @@ msgstr "le mois dernier" #: js/js.js:819 msgid "%n month ago" msgid_plural "%n months ago" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Il y a %n mois" +msgstr[1] "Il y a %n mois" #: js/js.js:820 msgid "months ago" @@ -410,7 +410,7 @@ msgstr "La mise à jour a réussi. Vous êtes redirigé maintenant vers ownCloud #: lostpassword/controller.php:61 #, php-format msgid "%s password reset" -msgstr "" +msgstr "Réinitialisation de votre mot de passe %s" #: lostpassword/templates/email.php:2 msgid "Use the following link to reset your password: {link}" @@ -527,7 +527,7 @@ msgstr "Votre version de PHP est vulnérable à l'attaque par caractère NULL (C #: templates/installation.php:26 #, php-format msgid "Please update your PHP installation to use %s securely." -msgstr "" +msgstr "Veuillez mettre à jour votre installation PHP pour utiliser %s de façon sécurisée." #: templates/installation.php:32 msgid "" @@ -552,7 +552,7 @@ msgstr "Votre répertoire data est certainement accessible depuis l'internet car msgid "" "For information how to properly configure your server, please see the documentation." -msgstr "" +msgstr "Pour les informations de configuration de votre serveur, veuillez lire la documentation." #: templates/installation.php:47 msgid "Create an admin account" diff --git a/l10n/fr/files.po b/l10n/fr/files.po index 245c7abab6b..aca28388062 100644 --- a/l10n/fr/files.po +++ b/l10n/fr/files.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-09-01 13:27-0400\n" -"PO-Revision-Date: 2013-08-30 13:50+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-09-03 07:42-0400\n" +"PO-Revision-Date: 2013-09-03 09:25+0000\n" +"Last-Translator: Christophe Lherieau \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" @@ -161,24 +161,24 @@ msgstr "annuler" #: js/filelist.js:424 js/filelist.js:490 js/files.js:581 msgid "%n folder" msgid_plural "%n folders" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n dossier" +msgstr[1] "%n dossiers" #: js/filelist.js:425 js/filelist.js:491 js/files.js:587 msgid "%n file" msgid_plural "%n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%n fichier" +msgstr[1] "%n fichiers" #: js/filelist.js:432 msgid "{dirs} and {files}" -msgstr "" +msgstr "{dir} et {files}" #: js/filelist.js:563 msgid "Uploading %n file" msgid_plural "Uploading %n files" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Téléversement de %n fichier" +msgstr[1] "Téléversement de %n fichiers" #: js/filelist.js:628 msgid "files uploading" @@ -210,7 +210,7 @@ msgstr "Votre espace de stockage est presque plein ({usedSpacePercent}%)" msgid "" "Encryption was disabled but your files are still encrypted. Please go to " "your personal settings to decrypt your files." -msgstr "" +msgstr "Le chiffrement était désactivé mais vos fichiers sont toujours chiffrés. Veuillez vous rendre sur vos Paramètres personnels pour déchiffrer vos fichiers." #: js/files.js:245 msgid "" diff --git a/l10n/fr/files_encryption.po b/l10n/fr/files_encryption.po index 174e4d3f3a3..6616ed62275 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-08-21 08:10-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-09-03 07:42-0400\n" +"PO-Revision-Date: 2013-09-03 10:00+0000\n" +"Last-Translator: Christophe Lherieau \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" @@ -65,20 +65,20 @@ msgid "" "files." msgstr "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." -#: hooks/hooks.php:41 +#: hooks/hooks.php:51 msgid "Missing requirements." msgstr "Système minimum requis non respecté." -#: hooks/hooks.php:42 +#: hooks/hooks.php:52 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the 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 supérieure est installée et qu'OpenSSL et son extension PHP sont activés et configurés correctement. En attendant, l'application de chiffrement été désactivée." -#: hooks/hooks.php:249 +#: hooks/hooks.php:250 msgid "Following users are not set up for encryption:" -msgstr "" +msgstr "Les utilisateurs suivants ne sont pas configurés pour le chiffrement :" #: js/settings-admin.js:11 msgid "Saving..." diff --git a/l10n/fr/files_sharing.po b/l10n/fr/files_sharing.po index c6eae4ea599..6f0ea28d9c5 100644 --- a/l10n/fr/files_sharing.po +++ b/l10n/fr/files_sharing.po @@ -4,13 +4,14 @@ # # Translators: # square , 2013 +# Christophe Lherieau , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-19 15:06-0400\n" -"PO-Revision-Date: 2013-08-19 18:23+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-09-03 07:43-0400\n" +"PO-Revision-Date: 2013-09-03 11:10+0000\n" +"Last-Translator: Christophe Lherieau \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" @@ -32,27 +33,27 @@ msgstr "Envoyer" #: templates/part.404.php:3 msgid "Sorry, this link doesn’t seem to work anymore." -msgstr "" +msgstr "Désolé, mais le lien semble ne plus fonctionner." #: templates/part.404.php:4 msgid "Reasons might be:" -msgstr "" +msgstr "Les raisons peuvent être :" #: templates/part.404.php:6 msgid "the item was removed" -msgstr "" +msgstr "l'item a été supprimé" #: templates/part.404.php:7 msgid "the link expired" -msgstr "" +msgstr "le lien a expiré" #: templates/part.404.php:8 msgid "sharing is disabled" -msgstr "" +msgstr "le partage est désactivé" #: templates/part.404.php:10 msgid "For more info, please ask the person who sent this link." -msgstr "" +msgstr "Pour plus d'informations, veuillez contacter la personne qui a envoyé ce lien." #: templates/public.php:15 #, php-format @@ -64,7 +65,7 @@ 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:26 templates/public.php:88 +#: templates/public.php:26 templates/public.php:92 msgid "Download" msgstr "Télécharger" @@ -76,6 +77,6 @@ msgstr "Envoyer" msgid "Cancel upload" msgstr "Annuler l'envoi" -#: templates/public.php:85 +#: templates/public.php:89 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 464c518b8a5..52238114518 100644 --- a/l10n/fr/files_trashbin.po +++ b/l10n/fr/files_trashbin.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Christophe Lherieau , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-15 04:47-0400\n" -"PO-Revision-Date: 2013-08-15 08:48+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-09-03 07:43-0400\n" +"PO-Revision-Date: 2013-09-03 09:30+0000\n" +"Last-Translator: Christophe Lherieau \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" @@ -27,45 +28,45 @@ msgstr "Impossible d'effacer %s de façon permanente" msgid "Couldn't restore %s" msgstr "Impossible de restaurer %s" -#: js/trash.js:7 js/trash.js:100 +#: js/trash.js:7 js/trash.js:102 msgid "perform restore operation" msgstr "effectuer l'opération de restauration" -#: js/trash.js:20 js/trash.js:48 js/trash.js:118 js/trash.js:146 +#: js/trash.js:20 js/trash.js:49 js/trash.js:120 js/trash.js:148 msgid "Error" msgstr "Erreur" -#: js/trash.js:36 +#: js/trash.js:37 msgid "delete file permanently" msgstr "effacer définitivement le fichier" -#: js/trash.js:127 +#: js/trash.js:129 msgid "Delete permanently" msgstr "Supprimer de façon définitive" -#: js/trash.js:182 templates/index.php:17 +#: js/trash.js:184 templates/index.php:17 msgid "Name" msgstr "Nom" -#: js/trash.js:183 templates/index.php:27 +#: js/trash.js:185 templates/index.php:27 msgid "Deleted" msgstr "Effacé" -#: js/trash.js:191 +#: js/trash.js:193 msgid "%n folder" msgid_plural "%n folders" msgstr[0] "" -msgstr[1] "" +msgstr[1] "%n dossiers" -#: js/trash.js:197 +#: js/trash.js:199 msgid "%n file" msgid_plural "%n files" msgstr[0] "" -msgstr[1] "" +msgstr[1] "%n fichiers" -#: lib/trash.php:819 lib/trash.php:821 +#: lib/trash.php:814 lib/trash.php:816 msgid "restored" -msgstr "" +msgstr "restauré" #: templates/index.php:9 msgid "Nothing in here. Your trash bin is empty!" diff --git a/l10n/fr/files_versions.po b/l10n/fr/files_versions.po index 79799c762b9..d5ea6a33082 100644 --- a/l10n/fr/files_versions.po +++ b/l10n/fr/files_versions.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Christophe Lherieau , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-28 01:56-0400\n" -"PO-Revision-Date: 2013-07-27 06:10+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-09-03 07:43-0400\n" +"PO-Revision-Date: 2013-09-03 11:10+0000\n" +"Last-Translator: Christophe Lherieau \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" @@ -28,16 +29,16 @@ msgstr "Versions" #: js/versions.js:53 msgid "Failed to revert {file} to revision {timestamp}." -msgstr "" +msgstr "Échec du retour du fichier {file} à la révision {timestamp}." #: js/versions.js:79 msgid "More versions..." -msgstr "" +msgstr "Plus de versions..." #: js/versions.js:116 msgid "No other versions available" -msgstr "" +msgstr "Aucune autre version disponible" -#: js/versions.js:149 +#: js/versions.js:145 msgid "Restore" msgstr "Restaurer" diff --git a/l10n/fr/lib.po b/l10n/fr/lib.po index 5bd611ff268..bc0c4a9abbd 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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" +"POT-Creation-Date: 2013-09-03 07:44-0400\n" +"PO-Revision-Date: 2013-09-03 09:30+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" @@ -265,51 +265,51 @@ msgstr "Votre serveur web, n'est pas correctement configuré pour permettre la s msgid "Please double check the installation guides." msgstr "Veuillez vous référer au guide d'installation." -#: template/functions.php:80 +#: template/functions.php:96 msgid "seconds ago" msgstr "il y a quelques secondes" -#: template/functions.php:81 +#: template/functions.php:97 msgid "%n minute ago" msgid_plural "%n minutes ago" msgstr[0] "" -msgstr[1] "" +msgstr[1] "il y a %n minutes" -#: template/functions.php:82 +#: template/functions.php:98 msgid "%n hour ago" msgid_plural "%n hours ago" msgstr[0] "" -msgstr[1] "" +msgstr[1] "Il y a %n heures" -#: template/functions.php:83 +#: template/functions.php:99 msgid "today" msgstr "aujourd'hui" -#: template/functions.php:84 +#: template/functions.php:100 msgid "yesterday" msgstr "hier" -#: template/functions.php:85 +#: template/functions.php:101 msgid "%n day go" msgid_plural "%n days ago" msgstr[0] "" -msgstr[1] "" +msgstr[1] "il y a %n jours" -#: template/functions.php:86 +#: template/functions.php:102 msgid "last month" msgstr "le mois dernier" -#: template/functions.php:87 +#: template/functions.php:103 msgid "%n month ago" msgid_plural "%n months ago" msgstr[0] "" -msgstr[1] "" +msgstr[1] "Il y a %n mois" -#: template/functions.php:88 +#: template/functions.php:104 msgid "last year" msgstr "l'année dernière" -#: template/functions.php:89 +#: template/functions.php:105 msgid "years ago" msgstr "il y a plusieurs années" diff --git a/l10n/fr/settings.po b/l10n/fr/settings.po index bd79bb2891d..fd619afbb0c 100644 --- a/l10n/fr/settings.po +++ b/l10n/fr/settings.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-08-25 19:18-0400\n" -"PO-Revision-Date: 2013-08-25 23:18+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-09-03 07:44-0400\n" +"PO-Revision-Date: 2013-09-03 09:50+0000\n" +"Last-Translator: Christophe Lherieau \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" @@ -88,53 +88,53 @@ msgstr "Impossible de supprimer l'utilisateur du groupe %s" msgid "Couldn't update app." msgstr "Impossible de mettre à jour l'application" -#: js/apps.js:35 +#: js/apps.js:43 msgid "Update to {appversion}" msgstr "Mettre à jour vers {appversion}" -#: js/apps.js:41 js/apps.js:74 js/apps.js:100 +#: js/apps.js:49 js/apps.js:82 js/apps.js:108 msgid "Disable" msgstr "Désactiver" -#: js/apps.js:41 js/apps.js:81 js/apps.js:94 js/apps.js:109 +#: js/apps.js:49 js/apps.js:89 js/apps.js:102 js/apps.js:117 msgid "Enable" msgstr "Activer" -#: js/apps.js:63 +#: js/apps.js:71 msgid "Please wait...." msgstr "Veuillez patienter…" -#: js/apps.js:71 js/apps.js:72 js/apps.js:92 +#: js/apps.js:79 js/apps.js:80 js/apps.js:100 msgid "Error while disabling app" -msgstr "" +msgstr "Erreur lors de la désactivation de l'application" -#: js/apps.js:91 js/apps.js:104 js/apps.js:105 +#: js/apps.js:99 js/apps.js:112 js/apps.js:113 msgid "Error while enabling app" -msgstr "" +msgstr "Erreur lors de l'activation de l'application" -#: js/apps.js:115 +#: js/apps.js:123 msgid "Updating...." msgstr "Mise à jour..." -#: js/apps.js:118 +#: js/apps.js:126 msgid "Error while updating app" msgstr "Erreur lors de la mise à jour de l'application" -#: js/apps.js:118 +#: js/apps.js:126 msgid "Error" msgstr "Erreur" -#: js/apps.js:119 templates/apps.php:43 +#: js/apps.js:127 templates/apps.php:43 msgid "Update" msgstr "Mettre à jour" -#: js/apps.js:122 +#: js/apps.js:130 msgid "Updated" msgstr "Mise à jour effectuée avec succès" #: js/personal.js:150 msgid "Decrypting files... Please wait, this can take some time." -msgstr "" +msgstr "Déchiffrement en cours... Cela peut prendre un certain temps." #: js/personal.js:172 msgid "Saving..." @@ -196,7 +196,7 @@ msgid "" "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 "" +msgstr "Votre dossier de données et vos fichiers sont probablement accessibles depuis internet. Le fichier .htaccess ne fonctionne pas. Nous vous recommandons vivement de configurer votre serveur web de façon à ce que ce dossier de données ne soit plus accessible, ou bien de le déplacer à l'extérieur de la racine du serveur web." #: templates/admin.php:29 msgid "Setup Warning" @@ -211,7 +211,7 @@ msgstr "Votre serveur web, n'est pas correctement configuré pour permettre la s #: templates/admin.php:33 #, php-format msgid "Please double check the installation guides." -msgstr "" +msgstr "Veuillez consulter à nouveau les guides d'installation." #: templates/admin.php:44 msgid "Module 'fileinfo' missing" @@ -233,7 +233,7 @@ msgid "" "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." -msgstr "" +msgstr "Le localisation du système n'a pu être configurée à %s. Cela signifie qu'il pourrait y avoir des problèmes avec certains caractères dans les noms de fichiers. Il est fortement recommandé d'installer les paquets requis pour le support de %s." #: templates/admin.php:75 msgid "Internet connection not working" @@ -246,7 +246,7 @@ msgid "" "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." -msgstr "" +msgstr "Ce serveur ne peut se connecter à internet. Cela signifie que certaines fonctionnalités, telles que le montage de supports de stockage distants, les notifications de mises à jour ou l'installation d'applications tierces ne fonctionneront pas. L'accès aux fichiers à distance, ainsi que les notifications par mails ne seront pas fonctionnels également. Il est recommandé d'activer la connexion internet pour ce serveur si vous souhaitez disposer de l'ensemble des fonctionnalités offertes." #: templates/admin.php:92 msgid "Cron" @@ -260,11 +260,11 @@ msgstr "Exécute une tâche à chaque chargement de page" msgid "" "cron.php is registered at a webcron service to call cron.php once a minute " "over http." -msgstr "" +msgstr "cron.php est enregistré en tant que service webcron pour appeler cron.php une fois par minute via http." #: templates/admin.php:115 msgid "Use systems cron service to call the cron.php file once a minute." -msgstr "" +msgstr "Utilise le service cron du système pour appeler cron.php une fois par minute." #: templates/admin.php:120 msgid "Sharing" @@ -288,12 +288,12 @@ msgstr "Autoriser les utilisateurs à partager des éléments publiquement à l' #: templates/admin.php:143 msgid "Allow public uploads" -msgstr "" +msgstr "Autoriser les téléversements publics" #: templates/admin.php:144 msgid "" "Allow users to enable others to upload into their publicly shared folders" -msgstr "" +msgstr "Permet d'autoriser les autres utilisateurs à téléverser dans le dossier partagé public de l'utilisateur" #: templates/admin.php:152 msgid "Allow resharing" @@ -322,14 +322,14 @@ msgstr "Forcer HTTPS" #: templates/admin.php:185 #, php-format msgid "Forces the clients to connect to %s via an encrypted connection." -msgstr "" +msgstr "Forcer les clients à se connecter à %s via une connexion chiffrée." #: templates/admin.php:191 #, php-format msgid "" "Please connect to your %s via HTTPS to enable or disable the SSL " "enforcement." -msgstr "" +msgstr "Veuillez vous connecter à cette instance %s via HTTPS pour activer ou désactiver SSL." #: templates/admin.php:203 msgid "Log" @@ -483,15 +483,15 @@ msgstr "Chiffrement" #: templates/personal.php:119 msgid "The encryption app is no longer enabled, decrypt all your file" -msgstr "" +msgstr "L'application de chiffrement n'est plus activée, déchiffrez tous vos fichiers" #: templates/personal.php:125 msgid "Log-in password" -msgstr "" +msgstr "Mot de passe de connexion" #: templates/personal.php:130 msgid "Decrypt all Files" -msgstr "" +msgstr "Déchiffrer tous les fichiers" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/fr/user_webdavauth.po b/l10n/fr/user_webdavauth.po index c4a85dce02d..d24a55c6e23 100644 --- a/l10n/fr/user_webdavauth.po +++ b/l10n/fr/user_webdavauth.po @@ -5,7 +5,7 @@ # Translators: # Adalberto Rodrigues , 2013 # Christophe Lherieau , 2013 -# mishka , 2013 +# mishka, 2013 # ouafnico , 2012 # Robert Di Rosa <>, 2012 # Romain DEP. , 2012-2013 @@ -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-27 01:56-0400\n" -"PO-Revision-Date: 2013-07-27 05:57+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-09-03 07:43-0400\n" +"PO-Revision-Date: 2013-09-03 10:00+0000\n" +"Last-Translator: Christophe Lherieau \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" @@ -29,11 +29,11 @@ msgstr "Authentification WebDAV" #: templates/settings.php:4 msgid "Address: " -msgstr "" +msgstr "Adresse :" #: templates/settings.php:7 msgid "" "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." -msgstr "" +msgstr "Les informations de connexion de l'utilisateur seront envoyées à cette adresse. Ce module analyse le code de la réponse HTTP et considère les codes 401 et 403 comme une authentification invalide et tout autre valeur comme une authentification valide." diff --git a/l10n/hi/core.po b/l10n/hi/core.po index 479e61d7c60..dd5f832c464 100644 --- a/l10n/hi/core.po +++ b/l10n/hi/core.po @@ -3,14 +3,15 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Debanjum , 2013 # rktaiwala , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-30 09:32-0400\n" -"PO-Revision-Date: 2013-08-30 13:33+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-09-03 07:43-0400\n" +"PO-Revision-Date: 2013-09-03 11:00+0000\n" +"Last-Translator: Debanjum \n" "Language-Team: Hindi (http://www.transifex.com/projects/p/owncloud/language/hi/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -54,7 +55,7 @@ msgstr "" #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." -msgstr "" +msgstr "कैटेगरी प्रकार उपलब्ध नहीं है" #: ajax/vcategories/add.php:30 msgid "No category to add?" @@ -63,13 +64,13 @@ msgstr "" #: ajax/vcategories/add.php:37 #, php-format msgid "This category already exists: %s" -msgstr "" +msgstr "यह कैटेगरी पहले से ही मौजूद है: %s" #: 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 "" +msgstr "ऑब्जेक्ट प्रकार नहीं दिया हुआ" #: ajax/vcategories/addToFavorites.php:30 #: ajax/vcategories/removeFromFavorites.php:30 @@ -93,31 +94,31 @@ msgstr "" #: js/config.php:32 msgid "Sunday" -msgstr "" +msgstr "रविवार" #: js/config.php:33 msgid "Monday" -msgstr "" +msgstr "सोमवार" #: js/config.php:34 msgid "Tuesday" -msgstr "" +msgstr "मंगलवार" #: js/config.php:35 msgid "Wednesday" -msgstr "" +msgstr "बुधवार" #: js/config.php:36 msgid "Thursday" -msgstr "" +msgstr "बृहस्पतिवार" #: js/config.php:37 msgid "Friday" -msgstr "" +msgstr "शुक्रवार" #: js/config.php:38 msgid "Saturday" -msgstr "" +msgstr "शनिवार" #: js/config.php:43 msgid "January" @@ -318,7 +319,7 @@ msgstr "" #: js/share.js:203 msgid "Send" -msgstr "" +msgstr "भेजें" #: js/share.js:208 msgid "Set expiration date" @@ -386,11 +387,11 @@ msgstr "" #: js/share.js:670 msgid "Sending ..." -msgstr "" +msgstr "भेजा जा रहा है" #: js/share.js:681 msgid "Email sent" -msgstr "" +msgstr "ईमेल भेज दिया गया है " #: js/update.js:17 msgid "" @@ -509,7 +510,7 @@ msgstr "" #: templates/edit_categories_dialog.php:16 msgid "Add" -msgstr "" +msgstr "डाले" #: templates/installation.php:24 templates/installation.php:31 #: templates/installation.php:38 diff --git a/l10n/hu_HU/files_encryption.po b/l10n/hu_HU/files_encryption.po index 7f282b4ac56..b21350959cb 100644 --- a/l10n/hu_HU/files_encryption.po +++ b/l10n/hu_HU/files_encryption.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# blackc0de , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-08-21 08:10-0400\n" -"PO-Revision-Date: 2013-08-19 19:20+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-09-03 07:42-0400\n" +"PO-Revision-Date: 2013-09-01 19:30+0000\n" +"Last-Translator: blackc0de \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" @@ -28,7 +29,7 @@ msgstr "" #: ajax/adminrecovery.php:48 msgid "Recovery key successfully disabled" -msgstr "" +msgstr "Visszaállítási kulcs sikeresen kikapcsolva" #: ajax/adminrecovery.php:53 msgid "" @@ -37,11 +38,11 @@ msgstr "" #: ajax/changeRecoveryPassword.php:49 msgid "Password successfully changed." -msgstr "" +msgstr "Jelszó sikeresen megváltoztatva." #: ajax/changeRecoveryPassword.php:51 msgid "Could not change the password. Maybe the old password was not correct." -msgstr "" +msgstr "A jelszót nem lehet megváltoztatni! Lehet, hogy hibás volt a régi jelszó." #: ajax/updatePrivateKeyPassword.php:51 msgid "Private key password successfully updated." @@ -61,18 +62,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:41 +#: hooks/hooks.php:51 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:42 +#: hooks/hooks.php:52 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now," " the encryption app has been disabled." -msgstr "" +msgstr "Kérlek győződj meg arról, hogy PHP 5.3.3 vagy annál frissebb van telepítve, valamint a PHP-hez tartozó OpenSSL bővítmény be van-e kapcsolva és az helyesen van-e konfigurálva! Ki lett kapcsolva ideiglenesen a titkosító alkalmazás." -#: hooks/hooks.php:249 +#: hooks/hooks.php:250 msgid "Following users are not set up for encryption:" msgstr "" @@ -92,7 +93,7 @@ msgstr "" #: templates/invalid_private_key.php:7 msgid "personal settings" -msgstr "" +msgstr "személyes beállítások" #: templates/settings-admin.php:5 templates/settings-personal.php:4 msgid "Encryption" @@ -109,11 +110,11 @@ msgstr "" #: templates/settings-admin.php:21 templates/settings-personal.php:54 msgid "Enabled" -msgstr "" +msgstr "Bekapcsolva" #: templates/settings-admin.php:29 templates/settings-personal.php:62 msgid "Disabled" -msgstr "" +msgstr "Kikapcsolva" #: templates/settings-admin.php:34 msgid "Change recovery key password:" @@ -129,7 +130,7 @@ msgstr "" #: templates/settings-admin.php:53 msgid "Change Password" -msgstr "" +msgstr "Jelszó megváltoztatása" #: templates/settings-personal.php:11 msgid "Your private key password no longer match your log-in password:" @@ -147,19 +148,19 @@ msgstr "" #: templates/settings-personal.php:24 msgid "Old log-in password" -msgstr "" +msgstr "Régi bejelentkezési jelszó" #: templates/settings-personal.php:30 msgid "Current log-in password" -msgstr "" +msgstr "Jelenlegi bejelentkezési jelszó" #: templates/settings-personal.php:35 msgid "Update Private Key Password" -msgstr "" +msgstr "Privát kulcs jelszó frissítése" #: templates/settings-personal.php:45 msgid "Enable password recovery:" -msgstr "" +msgstr "Jelszó-visszaállítás bekapcsolása" #: templates/settings-personal.php:47 msgid "" diff --git a/l10n/pt_BR/files.po b/l10n/pt_BR/files.po index 4397a9890b0..53543fba7d5 100644 --- a/l10n/pt_BR/files.po +++ b/l10n/pt_BR/files.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-09-01 13:27-0400\n" -"PO-Revision-Date: 2013-08-30 13:50+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-09-03 07:42-0400\n" +"PO-Revision-Date: 2013-09-02 15:40+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" @@ -172,7 +172,7 @@ msgstr[1] "" #: js/filelist.js:432 msgid "{dirs} and {files}" -msgstr "" +msgstr "{dirs} e {files}" #: js/filelist.js:563 msgid "Uploading %n file" @@ -210,7 +210,7 @@ msgstr "Seu armazenamento está quase cheio ({usedSpacePercent}%)" msgid "" "Encryption was disabled but your files are still encrypted. Please go to " "your personal settings to decrypt your files." -msgstr "" +msgstr "Encriptação foi desabilitada mas seus arquivos continuam encriptados. Por favor vá a suas configurações pessoais para descriptar seus arquivos." #: js/files.js:245 msgid "" diff --git a/l10n/templates/core.pot b/l10n/templates/core.pot index f2f058e8d24..4c0e3a677c2 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-09-01 13:27-0400\n" +"POT-Creation-Date: 2013-09-03 07:43-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.pot b/l10n/templates/files.pot index 7e2f79d2672..8e7a4df03e9 100644 --- a/l10n/templates/files.pot +++ b/l10n/templates/files.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-09-01 13:27-0400\n" +"POT-Creation-Date: 2013-09-03 07:42-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_encryption.pot b/l10n/templates/files_encryption.pot index 0e11e6f04d5..b4ab99474a0 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-09-01 13:27-0400\n" +"POT-Creation-Date: 2013-09-03 07:42-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -60,18 +60,18 @@ msgid "" "files." msgstr "" -#: hooks/hooks.php:41 +#: hooks/hooks.php:51 msgid "Missing requirements." msgstr "" -#: hooks/hooks.php:42 +#: hooks/hooks.php:52 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that OpenSSL " "together with the PHP extension is enabled and configured properly. For now, " "the encryption app has been disabled." msgstr "" -#: hooks/hooks.php:249 +#: hooks/hooks.php:250 msgid "Following users are not set up for encryption:" msgstr "" diff --git a/l10n/templates/files_external.pot b/l10n/templates/files_external.pot index c0de53d8589..780ae791813 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-09-01 13:27-0400\n" +"POT-Creation-Date: 2013-09-03 07:43-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_sharing.pot b/l10n/templates/files_sharing.pot index ba7bdaaa82e..e5052a67c11 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-09-01 13:27-0400\n" +"POT-Creation-Date: 2013-09-03 07:43-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_trashbin.pot b/l10n/templates/files_trashbin.pot index ca149fb14cc..c468f343d19 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-09-01 13:27-0400\n" +"POT-Creation-Date: 2013-09-03 07:43-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 4c568ee555b..170cd574cb0 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-09-01 13:27-0400\n" +"POT-Creation-Date: 2013-09-03 07:43-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 4d24c3c7a11..802d246a6ac 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-09-01 13:27-0400\n" +"POT-Creation-Date: 2013-09-03 07:44-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/settings.pot b/l10n/templates/settings.pot index 462831bc96f..c5c3abed6cc 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-09-01 13:27-0400\n" +"POT-Creation-Date: 2013-09-03 07:44-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_ldap.pot b/l10n/templates/user_ldap.pot index a5d6146f1c3..3990f5bce43 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-09-01 13:27-0400\n" +"POT-Creation-Date: 2013-09-03 07:43-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 1e53a5a759e..8a84e0fe61a 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-09-01 13:27-0400\n" +"POT-Creation-Date: 2013-09-03 07:43-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" diff --git a/lib/l10n/fr.php b/lib/l10n/fr.php index cfcca28d5f8..b9ba71c402e 100644 --- a/lib/l10n/fr.php +++ b/lib/l10n/fr.php @@ -37,13 +37,13 @@ $TRANSLATIONS = array( "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Votre serveur web, n'est pas correctement configuré pour permettre la synchronisation des fichiers, car l'interface WebDav ne fonctionne pas comme il faut.", "Please double check the installation guides." => "Veuillez vous référer au guide d'installation.", "seconds ago" => "il y a quelques secondes", -"_%n minute ago_::_%n minutes ago_" => array("",""), -"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n minute ago_::_%n minutes ago_" => array("","il y a %n minutes"), +"_%n hour ago_::_%n hours ago_" => array("","Il y a %n heures"), "today" => "aujourd'hui", "yesterday" => "hier", -"_%n day go_::_%n days ago_" => array("",""), +"_%n day go_::_%n days ago_" => array("","il y a %n jours"), "last month" => "le mois dernier", -"_%n month ago_::_%n months ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("","Il y a %n mois"), "last year" => "l'année dernière", "years ago" => "il y a plusieurs années", "Could not find category \"%s\"" => "Impossible de trouver la catégorie \"%s\"" diff --git a/settings/l10n/fr.php b/settings/l10n/fr.php index 536cac96568..d973ab30afd 100644 --- a/settings/l10n/fr.php +++ b/settings/l10n/fr.php @@ -20,11 +20,14 @@ $TRANSLATIONS = array( "Disable" => "Désactiver", "Enable" => "Activer", "Please wait...." => "Veuillez patienter…", +"Error while disabling app" => "Erreur lors de la désactivation de l'application", +"Error while enabling app" => "Erreur lors de l'activation de l'application", "Updating...." => "Mise à jour...", "Error while updating app" => "Erreur lors de la mise à jour de l'application", "Error" => "Erreur", "Update" => "Mettre à jour", "Updated" => "Mise à jour effectuée avec succès", +"Decrypting files... Please wait, this can take some time." => "Déchiffrement en cours... Cela peut prendre un certain temps.", "Saving..." => "Enregistrement...", "deleted" => "supprimé", "undo" => "annuler", @@ -38,25 +41,35 @@ $TRANSLATIONS = array( "A valid password must be provided" => "Un mot de passe valide doit être saisi", "__language_name__" => "Français", "Security Warning" => "Avertissement de sécurité", +"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." => "Votre dossier de données et vos fichiers sont probablement accessibles depuis internet. Le fichier .htaccess ne fonctionne pas. Nous vous recommandons vivement de configurer votre serveur web de façon à ce que ce dossier de données ne soit plus accessible, ou bien de le déplacer à l'extérieur de la racine du serveur web.", "Setup Warning" => "Avertissement, problème de configuration", "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Votre serveur web, n'est pas correctement configuré pour permettre la synchronisation des fichiers, car l'interface WebDav ne fonctionne pas comme il faut.", +"Please double check the installation guides." => "Veuillez consulter à nouveau les guides d'installation.", "Module 'fileinfo' missing" => "Module 'fileinfo' manquant", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with mime-type detection." => "Le module PHP 'fileinfo' est manquant. Il est vivement recommandé de l'activer afin d'obtenir de meilleurs résultats pour la détection des types de fichiers.", "Locale not working" => "Localisation non fonctionnelle", +"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." => "Le localisation du système n'a pu être configurée à %s. Cela signifie qu'il pourrait y avoir des problèmes avec certains caractères dans les noms de fichiers. Il est fortement recommandé d'installer les paquets requis pour le support de %s.", "Internet connection not working" => "La connexion internet ne fonctionne pas", +"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." => "Ce serveur ne peut se connecter à internet. Cela signifie que certaines fonctionnalités, telles que le montage de supports de stockage distants, les notifications de mises à jour ou l'installation d'applications tierces ne fonctionneront pas. L'accès aux fichiers à distance, ainsi que les notifications par mails ne seront pas fonctionnels également. Il est recommandé d'activer la connexion internet pour ce serveur si vous souhaitez disposer de l'ensemble des fonctionnalités offertes.", "Cron" => "Cron", "Execute one task with each page loaded" => "Exécute une tâche à chaque chargement de page", +"cron.php is registered at a webcron service to call cron.php once a minute over http." => "cron.php est enregistré en tant que service webcron pour appeler cron.php une fois par minute via http.", +"Use systems cron service to call the cron.php file once a minute." => "Utilise le service cron du système pour appeler cron.php une fois par minute.", "Sharing" => "Partage", "Enable Share API" => "Activer l'API de partage", "Allow apps to use the Share API" => "Autoriser les applications à utiliser l'API de partage", "Allow links" => "Autoriser les liens", "Allow users to share items to the public with links" => "Autoriser les utilisateurs à partager des éléments publiquement à l'aide de liens", +"Allow public uploads" => "Autoriser les téléversements publics", +"Allow users to enable others to upload into their publicly shared folders" => "Permet d'autoriser les autres utilisateurs à téléverser dans le dossier partagé public de l'utilisateur", "Allow resharing" => "Autoriser le repartage", "Allow users to share items shared with them again" => "Autoriser les utilisateurs à partager des éléments qui ont été partagés avec eux", "Allow users to share with anyone" => "Autoriser les utilisateurs à partager avec tout le monde", "Allow users to only share with users in their groups" => "Autoriser les utilisateurs à partager avec des utilisateurs de leur groupe uniquement", "Security" => "Sécurité", "Enforce HTTPS" => "Forcer HTTPS", +"Forces the clients to connect to %s via an encrypted connection." => "Forcer les clients à se connecter à %s via une connexion chiffrée.", +"Please connect to your %s via HTTPS to enable or disable the SSL enforcement." => "Veuillez vous connecter à cette instance %s via HTTPS pour activer ou désactiver SSL.", "Log" => "Log", "Log level" => "Niveau de log", "More" => "Plus", @@ -92,6 +105,9 @@ $TRANSLATIONS = array( "WebDAV" => "WebDAV", "Use this address to access your Files via WebDAV" => "Utilisez cette adresse pour accéder à vos fichiers via WebDAV", "Encryption" => "Chiffrement", +"The encryption app is no longer enabled, decrypt all your file" => "L'application de chiffrement n'est plus activée, déchiffrez tous vos fichiers", +"Log-in password" => "Mot de passe de connexion", +"Decrypt all Files" => "Déchiffrer tous les fichiers", "Login Name" => "Nom de la connexion", "Create" => "Créer", "Admin Recovery Password" => "Récupération du mot de passe administrateur", -- GitLab From d62c5063f420a0ec69d606aea086d40fe027da47 Mon Sep 17 00:00:00 2001 From: kondou Date: Tue, 3 Sep 2013 15:15:20 +0200 Subject: [PATCH 415/415] Add previews to OC.dialogs.filepicker(); Fix #4697 --- core/js/oc-dialogs.js | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/core/js/oc-dialogs.js b/core/js/oc-dialogs.js index 6b768641586..f184a1022bc 100644 --- a/core/js/oc-dialogs.js +++ b/core/js/oc-dialogs.js @@ -285,7 +285,11 @@ var OCdialogs = { filename: entry.name, date: OC.mtime2date(entry.mtime) }); - $li.find('img').attr('src', entry.mimetype_icon); + if (entry.mimetype === "httpd/unix-directory") { + $li.find('img').attr('src', OC.imagePath('core', 'filetypes/folder.png')); + } else { + $li.find('img').attr('src', OC.Router.generate('core_ajax_preview', {x:32, y:32, file:escapeHTML(dir+'/'+entry.name)}) ); + } self.$filelist.append($li); }); -- GitLab