From 57370353ad1b21156094adc3d1e735582bbd2bb0 Mon Sep 17 00:00:00 2001 From: Bart Visscher Date: Fri, 28 Jun 2013 19:22:51 +0200 Subject: [PATCH 01/58] 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 fd4870974f..af0a30ea17 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; } From 670242c731ac8d832773ac0fe86813061dcf0768 Mon Sep 17 00:00:00 2001 From: kondou Date: Fri, 2 Aug 2013 11:46:47 +0200 Subject: [PATCH 02/58] Add \OC_Appconfig Unittest --- tests/lib/appconfig.php | 126 ++++++++++++++++++++++++++++++++++++++++ 1 file changed, 126 insertions(+) create mode 100644 tests/lib/appconfig.php diff --git a/tests/lib/appconfig.php b/tests/lib/appconfig.php new file mode 100644 index 0000000000..c73e528a27 --- /dev/null +++ b/tests/lib/appconfig.php @@ -0,0 +1,126 @@ + + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +class Test_Appconfig extends PHPUnit_Framework_TestCase { + private function fillDb() { + $query = \OC_DB::prepare('INSERT INTO `*PREFIX*appconfig` VALUES (?, ?, ?)'); + + $query->execute(array('testapp', 'enabled', 'true')); + $query->execute(array('testapp', 'installed_version', '1.2.3')); + $query->execute(array('testapp', 'depends_on', 'someapp')); + $query->execute(array('testapp', 'deletethis', 'deletethis')); + $query->execute(array('testapp', 'key', 'value')); + + $query->execute(array('someapp', 'key', 'value')); + $query->execute(array('someapp', 'otherkey', 'othervalue')); + + $query->execute(array('123456', 'key', 'value')); + $query->execute(array('123456', 'enabled', 'false')); + + $query->execute(array('anotherapp', 'key', 'value')); + $query->execute(array('anotherapp', 'enabled', 'false')); + } + + public function testGetApps() { + $this->fillDb(); + + $query = \OC_DB::prepare('SELECT DISTINCT `appid` FROM `*PREFIX*appconfig`'); + $result = $query->execute(); + $expected = array(); + while ($row = $result->fetchRow()) { + $expected[] = $row['appid']; + } + $apps = \OC_Appconfig::getApps(); + $this->assertEquals($expected, $apps); + } + + public function testGetKeys() { + $query = \OC_DB::prepare('SELECT `configkey` FROM `*PREFIX*appconfig` WHERE `appid` = ?'); + $result = $query->execute(array('testapp')); + $expected = array(); + while($row = $result->fetchRow()) { + $expected[] = $row["configkey"]; + } + $keys = \OC_Appconfig::getKeys('testapp'); + $this->assertEquals($expected, $keys); + } + + public function testGetValue() { + $query = \OC_DB::prepare('SELECT `configvalue` FROM `*PREFIX*appconfig` WHERE `appid` = ? AND `configkey` = ?'); + $result = $query->execute(array('testapp', 'installed_version')); + $expected = $result->fetchRow(); + $value = \OC_Appconfig::getValue('testapp', 'installed_version'); + $this->assertEquals($expected['configvalue'], $value); + + $value = \OC_Appconfig::getValue('testapp', 'nonexistant'); + $this->assertNull($value); + + $value = \OC_Appconfig::getValue('testapp', 'nonexistant', 'default'); + $this->assertEquals('default', $value); + } + + public function testHasKey() { + $value = \OC_Appconfig::hasKey('testapp', 'installed_version'); + $this->assertTrue($value); + + $value = \OC_Appconfig::hasKey('nonexistant', 'nonexistant'); + $this->assertFalse($value); + } + + public function testSetValue() { + \OC_Appconfig::setValue('testapp', 'installed_version', '1.33.7'); + $query = \OC_DB::prepare('SELECT `configvalue` FROM `*PREFIX*appconfig` WHERE `appid` = ? AND `configkey` = ?'); + $result = $query->execute(array('testapp', 'installed_version')); + $value = $result->fetchRow(); + $this->assertEquals('1.33.7', $value['configvalue']); + + \OC_Appconfig::setValue('someapp', 'somekey', 'somevalue'); + $query = \OC_DB::prepare('SELECT `configvalue` FROM `*PREFIX*appconfig` WHERE `appid` = ? AND `configkey` = ?'); + $result = $query->execute(array('someapp', 'somekey')); + $value = $result->fetchRow(); + $this->assertEquals('somevalue', $value['configvalue']); + } + + public function testDeleteKey() { + \OC_Appconfig::deleteKey('testapp', 'deletethis'); + $query = \OC_DB::prepare('SELECT `configvalue` FROM `*PREFIX*appconfig` WHERE `appid` = ? AND `configkey` = ?'); + $query->execute(array('testapp', 'deletethis')); + $result = (bool)$query->fetchRow(); + $this->assertFalse($result); + } + + public function testDeleteApp() { + \OC_Appconfig::deleteApp('someapp'); + $query = \OC_DB::prepare('SELECT `configkey` FROM `*PREFIX*appconfig` WHERE `appid` = ?'); + $query->execute(array('someapp')); + $result = (bool)$query->fetchRow(); + $this->assertFalse($result); + } + + public function testGetValues() { + $this->assertFalse(\OC_Appconfig::getValues('testapp', 'enabled')); + + $query = \OC_DB::prepare('SELECT `configkey`, `configvalue` FROM `*PREFIX*appconfig` WHERE `appid` = ?'); + $query->execute(array('testapp')); + $expected = array(); + while ($row = $query->fetchRow()) { + $expected[$row['configkey']] = $row['configvalue']; + } + $values = \OC_Appconfig::getValues('testapp', false); + $this->assertEquals($expected, $values); + + $query = \OC_DB::prepare('SELECT `appid`, `configvalue` FROM `*PREFIX*appconfig` WHERE `configkey` = ?'); + $query->execute(array('enabled')); + $expected = array(); + while ($row = $query->fetchRow()) { + $expected[$row['appid']] = $row['configvalue']; + } + $values = \OC_Appconfig::getValues(false, 'enabled'); + $this->assertEquals($expected, $values); + } +} From c74f3d0b90227f95c1b6d21bbb7ee28561b67446 Mon Sep 17 00:00:00 2001 From: kondou Date: Fri, 2 Aug 2013 15:59:33 +0200 Subject: [PATCH 03/58] Add null and emptystring tests to check NOT NULL --- tests/lib/appconfig.php | 14 ++++++++++++++ 1 file changed, 14 insertions(+) diff --git a/tests/lib/appconfig.php b/tests/lib/appconfig.php index c73e528a27..ae08877bd7 100644 --- a/tests/lib/appconfig.php +++ b/tests/lib/appconfig.php @@ -86,6 +86,20 @@ class Test_Appconfig extends PHPUnit_Framework_TestCase { $this->assertEquals('somevalue', $value['configvalue']); } + /** + * @expectedException \Doctrine\DBAL\DBALException + */ + public function testSetValueNull() { + \OC_Appconfig::setValue('testapp', 'installed_version', null); + } + + /** + * @expectedException \Doctrine\DBAL\DBALException + */ + public function testSetValueEmptyString() { + \OC_Appconfig::setValue('testapp', '', '1.33.7'); + } + public function testDeleteKey() { \OC_Appconfig::deleteKey('testapp', 'deletethis'); $query = \OC_DB::prepare('SELECT `configvalue` FROM `*PREFIX*appconfig` WHERE `appid` = ? AND `configkey` = ?'); From 56549dafce474d74f32d33f6bf510ec7514283e1 Mon Sep 17 00:00:00 2001 From: kondou Date: Fri, 2 Aug 2013 21:27:33 +0200 Subject: [PATCH 04/58] Revert "Add null and emptystring tests to check NOT NULL" This reverts commit c74f3d0b90227f95c1b6d21bbb7ee28561b67446. --- tests/lib/appconfig.php | 14 -------------- 1 file changed, 14 deletions(-) diff --git a/tests/lib/appconfig.php b/tests/lib/appconfig.php index ae08877bd7..c73e528a27 100644 --- a/tests/lib/appconfig.php +++ b/tests/lib/appconfig.php @@ -86,20 +86,6 @@ class Test_Appconfig extends PHPUnit_Framework_TestCase { $this->assertEquals('somevalue', $value['configvalue']); } - /** - * @expectedException \Doctrine\DBAL\DBALException - */ - public function testSetValueNull() { - \OC_Appconfig::setValue('testapp', 'installed_version', null); - } - - /** - * @expectedException \Doctrine\DBAL\DBALException - */ - public function testSetValueEmptyString() { - \OC_Appconfig::setValue('testapp', '', '1.33.7'); - } - public function testDeleteKey() { \OC_Appconfig::deleteKey('testapp', 'deletethis'); $query = \OC_DB::prepare('SELECT `configvalue` FROM `*PREFIX*appconfig` WHERE `appid` = ? AND `configkey` = ?'); From d70a4a960da243a490c9b3211fb91f59864f5ba5 Mon Sep 17 00:00:00 2001 From: kondou Date: Tue, 6 Aug 2013 17:30:58 +0200 Subject: [PATCH 05/58] Use setUpBeforeClass() and tearDownAfterClass() --- tests/lib/appconfig.php | 12 +++++++++--- 1 file changed, 9 insertions(+), 3 deletions(-) diff --git a/tests/lib/appconfig.php b/tests/lib/appconfig.php index c73e528a27..4d82cd5ba7 100644 --- a/tests/lib/appconfig.php +++ b/tests/lib/appconfig.php @@ -7,7 +7,7 @@ */ class Test_Appconfig extends PHPUnit_Framework_TestCase { - private function fillDb() { + public static function setUpBeforeClass() { $query = \OC_DB::prepare('INSERT INTO `*PREFIX*appconfig` VALUES (?, ?, ?)'); $query->execute(array('testapp', 'enabled', 'true')); @@ -26,9 +26,15 @@ class Test_Appconfig extends PHPUnit_Framework_TestCase { $query->execute(array('anotherapp', 'enabled', 'false')); } - public function testGetApps() { - $this->fillDb(); + public static function tearDownAfterClass() { + $query = \OC_DB::prepare('DELETE FROM `*PREFIX*appconfig` WHERE `appid` = ?'); + $query->execute(array('testapp')); + $query->execute(array('someapp')); + $query->execute(array('123456')); + $query->execute(array('anotherapp')); + } + public function testGetApps() { $query = \OC_DB::prepare('SELECT DISTINCT `appid` FROM `*PREFIX*appconfig`'); $result = $query->execute(); $expected = array(); 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 06/58] 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 c80a33d04b..0f428b75b1 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; + } } 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 07/58] 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 0f428b75b1..730a86666b 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 0000000000..9582af6ec4 --- /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')), + ); + } + +} 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 08/58] 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 730a86666b..eb95a839b8 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; + $req = $this->server->httpRequest; + $length = $req->getHeader('X-Expected-Entity-Length'); + if (!$length) { + $length = $req->getHeader('Content-Length'); + } - $length = $this->server->httpRequest->getHeader('Content-Length'); - $ocLength = $this->server->httpRequest->getHeader('OC-Total-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 9582af6ec4..1186de2874 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; + } + } From 881e362f932bfd2d3b5daddd83545d09bda16e40 Mon Sep 17 00:00:00 2001 From: Valerio Ponte Date: Fri, 10 May 2013 21:11:47 +0200 Subject: [PATCH 09/58] 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 ca508e1d93..056c9a37fe 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); + } } } From ca495758bd8bcbea66f00296d36d87f66cd5f4a8 Mon Sep 17 00:00:00 2001 From: Thomas Tanghus Date: Wed, 14 Aug 2013 23:06:43 +0200 Subject: [PATCH 10/58] 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 e69c6cc56e..f7ee316f3b 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 eaee842465..18c172759b 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" ); 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 11/58] update 3rdparty submodule --- 3rdparty | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/3rdparty b/3rdparty index 2f3ae9f56a..0902b456d1 160000 --- a/3rdparty +++ b/3rdparty @@ -1 +1 @@ -Subproject commit 2f3ae9f56a9838b45254393e13c14f8a8c380d6b +Subproject commit 0902b456d11c9caed78b758db0adefa643549f67 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 12/58] 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 0000000000..8cdce678e1 --- /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 0000000000..50cbc4c791 --- /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 0000000000..204a659de0 --- /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 0000000000..b75b27bb36 --- /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 0000000000..54e05db762 --- /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 0000000000..5388ea6334 --- /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 081c547888..60f6767e31 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 81a6c95638..effc0088c2 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; 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 13/58] update 3rdparty - openid moved --- 3rdparty | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/3rdparty b/3rdparty index 0902b456d1..62f6270ecf 160000 --- a/3rdparty +++ b/3rdparty @@ -1 +1 @@ -Subproject commit 0902b456d11c9caed78b758db0adefa643549f67 +Subproject commit 62f6270ecf9e84bfc17fbee88b5017e358592b7e 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 14/58] 3rdparty submodule update: getid3 removed --- 3rdparty | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/3rdparty b/3rdparty index 62f6270ecf..eb77e31a93 160000 --- a/3rdparty +++ b/3rdparty @@ -1 +1 @@ -Subproject commit 62f6270ecf9e84bfc17fbee88b5017e358592b7e +Subproject commit eb77e31a93bdfef2db4ed7beb7b563a3a54c27e9 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 15/58] update 3rdparty submodule --- 3rdparty | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/3rdparty b/3rdparty index eb77e31a93..9a018a4702 160000 --- a/3rdparty +++ b/3rdparty @@ -1 +1 @@ -Subproject commit eb77e31a93bdfef2db4ed7beb7b563a3a54c27e9 +Subproject commit 9a018a47028b799baf4bebc5ae80eee6a986a6c1 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 16/58] update 3rdparty submodule - timepicker removed --- 3rdparty | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/3rdparty b/3rdparty index 9a018a4702..03c3817ff1 160000 --- a/3rdparty +++ b/3rdparty @@ -1 +1 @@ -Subproject commit 9a018a47028b799baf4bebc5ae80eee6a986a6c1 +Subproject commit 03c3817ff132653c794fd04410977952f69fd614 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 17/58] 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 60f6767e31..b6deab6e5a 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 effc0088c2..2a177eef49 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; From 0f7fad7166a97a1767a72d6a288027aaffeb65fb Mon Sep 17 00:00:00 2001 From: Arthur Schiwon Date: Sun, 18 Aug 2013 17:30:16 +0200 Subject: [PATCH 18/58] 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 a752c4311c..c4ca7f1c0e 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); From 64c0e5d8075ef904f8b87611b1b91dc2c2839519 Mon Sep 17 00:00:00 2001 From: Arthur Schiwon Date: Mon, 19 Aug 2013 15:53:20 +0200 Subject: [PATCH 19/58] 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 c4ca7f1c0e..bb1537b5c6 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; From 87c3f34a93257f015304ac48247eeaf38745af9f Mon Sep 17 00:00:00 2001 From: dampfklon Date: Thu, 22 Aug 2013 19:52:08 +0200 Subject: [PATCH 20/58] 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 bdcb61284e..d3c6a8456a 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 From fbe7a68ce8837fd60f36ba21298c8e8cd68f42fe Mon Sep 17 00:00:00 2001 From: kondou Date: Sat, 24 Aug 2013 14:31:32 +0200 Subject: [PATCH 21/58] 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 d409904ebc..47ceb5ab87 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 bad88142da..63e1258b95 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');?>
- From cd41de839fabf14bc21d788d7f48a223d74eb926 Mon Sep 17 00:00:00 2001 From: Pellaeon Lin Date: Mon, 26 Aug 2013 10:57:14 +0800 Subject: [PATCH 22/58] 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 a2cf8398c2..7d5fe6445b 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; From 1f5a55ddff8c5339b849d91c24722b3a3e367a2c Mon Sep 17 00:00:00 2001 From: Arthur Schiwon Date: Mon, 26 Aug 2013 17:46:31 +0200 Subject: [PATCH 23/58] 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 bb1537b5c6..bcd2419b30 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 75e975d9e6..f1fda3b928 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()); 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 24/58] 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 c8ce65a857..ea2cb81d1f 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; + } } 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 25/58] 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 43ed75b07f..d6af84e95b 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); 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 26/58] 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 ed8d085462..66cd2fcd4e 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 c7687d431e..128786087b 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 { 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 27/58] 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 94c792303d..e4d8e35385 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 f2b1f142e9..7135ef9f65 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 128786087b..dd2476eda5 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 e69898f6f8..112eaa3c74 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', ''); 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 28/58] 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 d031a1e5a5..0000000000 --- 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 0f9f459c77..0000000000 --- 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 3633de6314..0000000000 --- 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 5c426672c8..0000000000 --- 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 eaa97bb1b6..0000000000 --- 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 de340d6dc9..0000000000 --- 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 306b84a588..0000000000 --- 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 92f1aef885..0000000000 --- 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 21e175e4ff..0000000000 --- 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 b7c7892b60..0000000000 --- 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 5d2f51942f..0000000000 --- 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 b9c2d6f3ae..0000000000 --- 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 72a289d020..0000000000 --- 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 cef04c5439..0000000000 --- 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 faa83e8fc6..0000000000 --- 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 26675677bd..0000000000 --- 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 16967e598a..0000000000 --- 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 291f44e4bc..0000000000 --- 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 bcfa856ac0..0000000000 --- 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 bc81ff8fe1..0000000000 --- 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 df7332a96a..ae74278726 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 b2457a75e5..0000000000 --- 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;"; 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 29/58] 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 ae74278726..df7332a96a 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(); From 316d9bfed67ded313919f9d9f0c661013546f526 Mon Sep 17 00:00:00 2001 From: Bjoern Schiessle Date: Tue, 27 Aug 2013 14:39:43 +0200 Subject: [PATCH 30/58] 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 323f25eac2..0dcb2fc82e 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; } From f14ce1efdc2a8b9656bd485055dea706936c585d Mon Sep 17 00:00:00 2001 From: Tom Needham Date: Wed, 1 May 2013 18:20:46 +0100 Subject: [PATCH 31/58] 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 132d923d96..1535f70a8c 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 1ea698c7a8..283c9af692 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 + ); From 273f162b26b15b2238972001a4ada3fa52eeece9 Mon Sep 17 00:00:00 2001 From: Tom Needham Date: Wed, 1 May 2013 18:26:02 +0100 Subject: [PATCH 32/58] 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 1535f70a8c..b64200d091 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(); From e91edabe0f58fe316e3fb62461bce16168e74f52 Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Tue, 27 Aug 2013 16:07:25 +0200 Subject: [PATCH 33/58] 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 b64200d091..2dd9931905 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 From d5062b9e0e50b7830cb6b323c926c89ac7d4aee0 Mon Sep 17 00:00:00 2001 From: Jenkins for ownCloud Date: Tue, 27 Aug 2013 11:23:18 -0400 Subject: [PATCH 34/58] [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 7161e49a96..a6c4e65530 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 2f05a3eccf..9efde85f0c 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 3429f572fd..f7d0069217 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 1f766de7cf..dd243eb576 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 01c4613a8c..f614fbee47 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 e10b16be50..a891bcfb37 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 c41d2fb5c1..53f9b1a236 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 6d4bf8a4e7..8ea824c9c1 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 e1d0052bc0..41645acb52 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 0f404fa29f..59ac4e1c39 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 2672b16954..415d23ae89 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 5e94da3c43..4c0eb691f6 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 2a5016f380..13198a9f88 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 140261b6c1..359b40ddef 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 96332921cf..e0b9fe0281 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 6006413449..44895eab28 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 98274ed751..c98263c08f 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 63efe031da..e8d3b8c867 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 0f7aac5a22..84d9ba2020 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 aee213691e..36116001bc 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 4332346516..9be317fba9 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 2d64212a5f..902cc82e03 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 3205255e39..3e70d3294c 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 7839ad3bd9..f53c9e8e38 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 cae9660ab6..a4dd5008af 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 9367b0f5a6..b1435b4609 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 d76255f522..72c4153c6e 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 6e9ff605f5..422fa8ba13 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 0f0ad31874..abaaa5ffe8 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 813d2ee8e7..d858248f29 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 575df89111..b42b81d040 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 64110f6704..50a33de6db 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 85805cf562..7c78c6f076 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 fe771d2b57..782817be0a 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 41ff4fe25d..9c84579448 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 9922a0be7e..79296c8049 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 34250b56c3..838bcc5ef2 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 d73188d483..d4dcbd14ee 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 d9010bc0f5..0f72443a5f 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 c101398918..ac2da6aed9 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 661e8572e8..650e4ead88 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 f34383d969..49747caef1 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 ae5b152ed0..9c6e1c2a57 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 495e9d9d9d..ad9733f059 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 b96b02e5d9..5cca3e0fd8 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 b950cbf8c9..56d67ea7ce 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 ab6b75c578..2dfc484fc7 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 55a3dca3c3..9b8900fd8e 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 338317baad..455ad62d84 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 88006e1b5d..9469146d35 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 38bed89574..2cc1ac9933 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 3e622ace6f..d93158c62d 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 4c2d33e301..c4b6b9f091 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 00e4748853..84678c1c20 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 d2cbb7a8fd..e1493452d8 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 5673ceabd3..aedec21612 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 6ebf523c19..460b687ed7 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 a89b43a872..c06bc5e858 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 e9f4352110..c814f86a38 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 a0b09af764..c474afadee 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 dab1498b5c..69819ec5ac 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 0a88faaffc..641f5322a7 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 9224fb6a32..033c103f0e 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 b4dcaa3e01..29b5dea54e 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 dfaafb4e10..0422f92b57 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 aaec19afac..4a81d1ca6f 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 bd25245e3a..29f748a5dc 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 3d5fb3ae48..f63e5e7709 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 6912e2cea9..66e2e24f2a 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 e24f7b3eaf..6e9651339a 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 1ecfd6e7b8..00860a8a12 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 8c6b13494d..102b8a3d7b 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 37ee596b32..18e39dc80b 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 a83237e41f..9659af9c1d 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 f9b74a7649..97781ef6a3 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 a5c216a535..3d8d0f81fb 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 4f224cbaca..3566470055 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 afba58f133..218518cb6e 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 707d01e384..f802b39ac3 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 d1a6526c48..a18eb37b0d 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 30a80e83f7..fff88cd0e3 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 d26af5c3d7..d6a26eb7c4 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 5f0e9fd18a..4476d1f102 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 deacb1c3c4..a296bfa8c9 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 8befee513b..fae903c9a3 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 ccf349afd9..774a241051 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 1d80e2f437..5061816a4d 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 a63c16f560..11d2f26f5a 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 c558e0cd90..5e184ab89b 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 9081b095a9..0267d804b6 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 da78f8613c..ebd32decb8 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 9bab6784cd..03c2d0b576 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 adb12291fe..567fcc9a52 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 d5bf5ec301..0eb0623b9f 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 f44d160184..1d48f92c64 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 33d7469427..2ae026cfed 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 3def685936..f2ee458fc9 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 8d37893029..c5bb03e57e 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 0ce78d871f..bb093524fc 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 418410ebe5..6ca34ebb81 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 9baa98366d..e9cb5b8f9a 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 a05bd94c82..b396e77081 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 0b08961313..10adfedf50 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 4bae50605b..12e5b363df 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 bc891faa03..013ab1b95d 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 57158ce0f0..ffd48b2898 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 582197b1dc..647475a3a1 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 82c3b23be8..4e49c86def 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 7f6d850ad8..26f50de929 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 88be117b55..f74e5e3059 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 9240871e8c..878b37729c 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 1075ec5c3e..514c10f57f 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 a5fd2a7adb..4487cf2fcb 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 9ca82320bc..92a3e60065 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 dcf22e09ae..cd30a9df4b 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 764424f6b3..fcd9edec0e 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 d104af4d88..92f6acfd29 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 b5e48526b0..93732ea30e 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 175956137d..79cb84b3af 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 50cf7e0e18..76e182a5b1 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 70312ce0d9..ddf953cade 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 53f3aae44a..05f1282b4d 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 1b7e785ebf..3d889a5512 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 27c6e564ae..4e3345632b 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 f3bce0ac14..0255297a18 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 fc513b2f68..befdae3d87 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 b15680bcef..ad81139baf 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 715adea419..f8d7f328ab 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 cc2316c691..9ea607c824 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 e2aceb5731..22460f69dd 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 4769f28713..e645c744ff 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 901f047607..72f712753e 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 0ef13b5483..6000c6cf60 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 abd8fc9cd4..52e9cf631d 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 2afa951260..467e1dd2a3 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 875e468f20..fd37488550 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 0cc47cc222..64dc57bc97 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 c34b608c15..7510ac70b5 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 8196aed345..465bb80784 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 93d6745203..e8a091e75a 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 e27df447a1..9212428332 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 16224d9194..d913c55a78 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 0ba377534e..168581e96b 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 13d2a8bc98..6dee08e024 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 1706eb1ccd..a2608f1795 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 1ebb511ac3..173c3cebfd 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 810fccb7bf..293b737fe1 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 f99e2b89d9..3c34da3d73 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 cdab5cceeb..6141204cfa 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 1c82657844..f320d2ae96 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 d258cb5e7f..450c02ae9f 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 6a342f3dfa..b8a21fbbfc 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 998bef3579..a657f8989d 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 2043b2dca2..2b25a70819 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 bb9ac1fab0..7921e349d8 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 e4819c2b8f..d6f81df72f 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 6a642972a4..21df78c7b6 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 c5a0608398..9e421bf6a5 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 fc8b014e7b..a8d25e9c41 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 701879cd51..5a6ba24801 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 a5d3ad3219..32514622d6 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 fccd1c57f6..9ad45f5453 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 83b5a5da14..141b28bd76 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 cfb078e9e2..93497a4ddd 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 83db5d48b5..a199e2b8ac 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 a1e4d46193..9731f51472 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 84606a993f..b3e7927bbe 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 6533a847d2..2c6871c83f 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 ea723ff990..4485c76201 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 8278426322..fe95a40004 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 d09313ed51..f5777db036 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 59e41074d6..171e8aa635 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 154a7551d0..963583df01 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 468b5856f6..08fe305989 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 c314547993..fef0b93014 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 d7afc5bf41..4c578036d7 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 fe27f78268..1a2e3f21ed 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 0fee2d5913..2bae53a78e 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 89aa3f3477..457161c53a 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 1917f75d11..54e1e74503 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 4afe550b71..201660307e 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 703b1feb26..bb1c6966b3 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 d9250a024c..1b16070f4e 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 509528a2d2..d35e68a4ec 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 e6dd573d4d..4214958d1a 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 8e83ab7e75..b2edb3b335 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 d1bc08b13f..2977abfcd4 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 3534f1cc59..8d4a96c779 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 94a85870e9..0086ac5350 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 7f0ae89b77..83791045a8 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 0eea0c7144..8858c44148 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 a34e9fe5a4..50051315f0 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 672f6b6beb..2777eaad80 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 1f04852c7a..c5c0acad45 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 b0ac13562a..eaf1115c62 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 d3d50d2c75..66e30ab46b 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 df3871ecaa..42edcfa625 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 c0bc9aaaa6..cd5b6a9b34 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 62660788d8..82282ef230 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 52899493b6..1f8428968e 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 693f82abed..bf44c66320 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 178c2c97e1..2424d24dbe 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 ace7c037e6..2816c2a5d6 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 66d8040280..08526acf64 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 55f54da7a6..e6d5664fac 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 8a0873def5..c8f1959893 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 a24a15a621..0e1c498699 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 84c312d3d2..0b137ab601 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 dbc15ef9f3..b9cbd6f04a 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 e974dc0ec2..d2936e463c 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 66f0fff9e7..aa0606fc49 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 2ef228556c..d0cd9f81d7 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 c724be3975..79dfa233f9 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 97198eda63..0c79b701dc 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 b9310e4f50..bfc6052c32 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 48e097aef8..9748d786fd 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 72f42768db..42827509e9 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 455133b439..4ef21df3b2 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 a0988bcf74..0fb852ce25 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 30e7521c20..deda7dac0c 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 880f2dc9bb..f8a39c581c 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 f1852eea33..a275a8ced5 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 4fd3bc28f3..7d21647abc 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 6c6ee1f16d..182d33bd7f 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 d831294224..5e4bf62194 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 91adffa046..155df0e56d 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 61826ac4db..c633f99ca6 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 00ad518a13..b690a1127d 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 2605b398b3..9cdba88e1f 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 28cd5fa42a..5f272c31eb 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 6c7882b928..45e5b713bb 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 91c06ffc83..ae9145f212 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 0451be577d..367645fae7 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 10586fef15..bedb7ab4da 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 ae0e108f16..5242a384d6 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 d348a772f9..7510ca1284 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 54407785c0..292342a980 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 a8832be5ec..d3669262ad 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 9a6b412143..bf28004b7d 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 2d6c28b2d5..5f7330c3bc 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 c516d6a84d..cfa34c88a6 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 f2c016bafb..d35b319b1c 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 f91ec7caff..da40342637 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 ad3332276d..dc0fe5ad6f 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 487c676ed0..ddf0a2225d 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 6bca4b0ddc..59f8bf9186 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 6cf49409e5..37faace2e6 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 f51e340bf8..53c5a7baec 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 bd093d7fda..cdab9cce2a 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 3eef00c98b..9f1a0e4503 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 aaf71f9d66..9ba8be581b 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 c8e59df49f..fd00e191fd 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 83e70585e3..166455e652 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 01fe5ee058..8670e1175c 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 188ea4e2fc..33f3446a69 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 9fd319b7e1..eafd76b7ee 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 a2ac6bcabc..8e3aa55c4e 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 4552d4627c..2e69df43ad 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 4dab8b816b..eec5be65ab 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 fb109b8633..242b0a2310 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 338c3673c5..e546c1f317 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 5232966717..a2379ca488 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 498469ea8b..b63c37c724 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 f405eb88ae..210c766aa5 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 f87d92ecbe..6de7d4518c 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 e3316a9b03..45650a3b44 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 5a76de7d2e..c14e5a3606 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 971500305d..4f3099b8c2 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 cbe0c838f5..d779a36cb9 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 9bc90fa63f..cf2ff5041c 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 d3e4e0e99a..6e82c9c92f 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 78fad69c22..7b51025356 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 3d05f6bb08..63e502b8d5 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 cd9e26742a..cd90d2f8a0 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 a11182b5a7..5cd3679751 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" => "管理者復原密碼", From 321c51478245672844a302481c1e2e295fd326fa Mon Sep 17 00:00:00 2001 From: Arthur Schiwon Date: Tue, 27 Aug 2013 13:47:31 +0200 Subject: [PATCH 35/58] 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 6f6b8d0f01..52aa39012f 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); } /** 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 36/58] 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 dde5d3c50a..1d03cd89f8 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 f262f11f06..1e6ab74fb6 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 7384b094cb..d91acbbb2b 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, From 3e7ddbc9d932ce6c8594f9080404f85d64492cd7 Mon Sep 17 00:00:00 2001 From: Jenkins for ownCloud Date: Wed, 28 Aug 2013 06:24:14 -0400 Subject: [PATCH 37/58] [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 6904604216..a225ea7f57 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 79ccc20d49..916975393b 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 2fe2f56412..300edb9141 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 60f5418727..d70dd6e99d 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 a13ed03222..d9e5750381 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 d3cfe01293..dc603cf41d 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 5cbb90d15f..eb16e841c6 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 a5a63e2485..5784d828c1 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 c06bc5e858..6ff2f20122 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 29b5dea54e..2211ac2ee4 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 f63e5e7709..6b7141c49c 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 18e39dc80b..976d3cfdb5 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 97781ef6a3..26b314362f 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 3566470055..68c71a9ef2 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 f3bdc23e48..5119c9950a 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 f802b39ac3..9a2039502c 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 a296bfa8c9..95a01f1ff1 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 ebd32decb8..9ef89b0fc8 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 1d48f92c64..a91b290a56 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 bb093524fc..a11e637c69 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 e9cb5b8f9a..ebe8564fa8 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 12e5b363df..06f8c7904d 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 ffd48b2898..0af60809ed 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 f74e5e3059..12ed7b71d2 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 514c10f57f..570d7e6c1e 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 92a3e60065..aee3205f28 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 93732ea30e..21591f1ea3 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 76e182a5b1..c594c9f86d 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 05f1282b4d..6ec8af7aaf 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 befdae3d87..58b1610541 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 f8d7f328ab..f0a3a78d4f 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 52e9cf631d..c42fea70e8 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 fd37488550..428ebc7861 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 7510ac70b5..154aa4c326 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 e8a091e75a..30dbfefeed 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 6dee08e024..fc18e19a2f 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 3c34da3d73..fd2020b36d 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 a657f8989d..90c5408850 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 7921e349d8..fba54c74e3 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 9e421bf6a5..6d064f72ab 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 5a6ba24801..16a948973c 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 2c6871c83f..39afa61d12 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 171e8aa635..29c60b93ff 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 4c578036d7..8a9fabb4af 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 2bae53a78e..f05370e666 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 54e1e74503..262ba294d2 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 bb1c6966b3..f39dcf5386 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 2977abfcd4..75b60246ea 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 0086ac5350..c59794b27a 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 8858c44148..5766701217 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 cd5b6a9b34..83405bcf1c 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 1f8428968e..06c4333a9d 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 2424d24dbe..3d68349d79 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 08526acf64..3d063b8411 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 0b137ab601..563206aaec 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 4c57d855cc..d2f9228293 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 d0cd9f81d7..2e5eebcca8 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 9748d786fd..8da1fb6f5b 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 42827509e9..5b561431a0 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 4ef21df3b2..07e3a942a0 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 0fb852ce25..5153def3a1 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 deda7dac0c..3fa6985763 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 f8a39c581c..b419588427 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 a275a8ced5..ac1e6d8ffd 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 7d21647abc..a5eed85152 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 182d33bd7f..2a61530b56 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 5e4bf62194..2aba7bb3e3 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 155df0e56d..d998828621 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 c633f99ca6..e963a34429 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 9cdba88e1f..f23d51c91e 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 367645fae7..ab7f2d6894 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 3c833cb169..f9f9408227 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 ee0402683b..c1174f8073 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 5242a384d6..effc4b2893 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 292342a980..3db491e409 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 bf28004b7d..4f501bb51f 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 cfa34c88a6..35152650e5 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 28e19119a9..08447c650f 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 7258511fab..d8d9cefc36 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 c3a8727e4b..754dd58d6e 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 da40342637..b5d97e7304 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 ddf0a2225d..435e7b2b7f 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 731ad904d7..e2cf38ecc8 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 03bd48de74..2c34356ea1 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 f352dd459f..b34625f75e 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 b7a280625c..15e0ca9b8d 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 b62b0a7930..df9b7e988c 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 82dc8774df..cc14a3648a 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" => "管理恢复密码", From 776d64f804534eee724a9cd08f6c242002a75ddc Mon Sep 17 00:00:00 2001 From: Thomas Tanghus Date: Wed, 28 Aug 2013 12:50:05 +0200 Subject: [PATCH 38/58] 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 f7ee316f3b..46ffa97657 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]]); } } } From c6eda25d5010fbae1c4ae0f9e29df80d0d62b9e9 Mon Sep 17 00:00:00 2001 From: Jan-Christoph Borchardt Date: Wed, 28 Aug 2013 13:58:49 +0200 Subject: [PATCH 39/58] 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 d580b6113e..a456da8cb8 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 9143510f75..ee761f0aa5 100644 --- a/core/templates/login.php +++ b/core/templates/login.php @@ -21,12 +21,10 @@

- /> - -

From 0c8ac241dfe6e1d07a03d14b5ad349bb0f78b0cd Mon Sep 17 00:00:00 2001 From: Jan-Christoph Borchardt Date: Wed, 28 Aug 2013 13:59:23 +0200 Subject: [PATCH 40/58] 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 dee0778afb..ce0d5abfc7 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 */ From 6bd0f3cba7491c55e53c637b3cae60ac9685f146 Mon Sep 17 00:00:00 2001 From: kondou Date: Wed, 3 Jul 2013 19:50:03 +0200 Subject: [PATCH 41/58] 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 7d5fe6445b..a9b93dc2de 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 10801af3ea..e11cc70802 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 = ''+humanFileSize(totalSize)+''; + } + + $('#fileList').append(''+info+''+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 0c7d693669..3e6f619868 100644 --- a/apps/files/templates/part.list.php +++ b/apps/files/templates/part.list.php @@ -1,14 +1,5 @@ - - - - - - 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')); - } - } ?> - - - - - - - Date: Wed, 28 Aug 2013 15:46:44 +0200 Subject: [PATCH 42/58] 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 0dcb2fc82e..880832f9af 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'; From 6b278c89b3c939d602d1b0d38752cf35f4e2aa10 Mon Sep 17 00:00:00 2001 From: raghunayyar Date: Wed, 28 Aug 2013 19:30:49 +0530 Subject: [PATCH 43/58] Adds Node Modules to build in gitignore for easy testing. --- .gitignore | 3 +++ 1 file changed, 3 insertions(+) diff --git a/.gitignore b/.gitignore index 43f3cab912..724f2460b0 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* From 4a00b26029647b5f86d42654f1da99032b1fdf47 Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Wed, 28 Aug 2013 16:25:14 +0200 Subject: [PATCH 44/58] 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 03c3817ff1..c48a48cd2c 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 0000000000..d6891085ce --- /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 From ed2fa06a26ad1f43dcf750133cd658638a0e9481 Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Wed, 28 Aug 2013 16:52:12 +0200 Subject: [PATCH 45/58] 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 d6891085ce..6a1c653b58 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)); From 16abc536c5866c9e0379ebd6f4e4f8faa895b259 Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Wed, 28 Aug 2013 16:59:12 +0200 Subject: [PATCH 46/58] fix 3rdparty commit --- 3rdparty | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/3rdparty b/3rdparty index c48a48cd2c..6c11629596 160000 --- a/3rdparty +++ b/3rdparty @@ -1 +1 @@ -Subproject commit c48a48cd2cfbdbba8487d6aedcc14c123db47ba3 +Subproject commit 6c1162959688f6b4a91d15c9b208ef408694343a From b5e2842e0049f64b0f7c7ba9ce8b831bd84a0d78 Mon Sep 17 00:00:00 2001 From: Bart Visscher Date: Fri, 5 Jul 2013 22:24:36 +0200 Subject: [PATCH 47/58] 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 0c9fe329b8..22aed1c566 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 0000000000..d5b970c1a9 --- /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); + } +} From 594a2af75af8d350965d11c1e77f12f1ebae456f Mon Sep 17 00:00:00 2001 From: Bart Visscher Date: Fri, 5 Jul 2013 22:42:17 +0200 Subject: [PATCH 48/58] 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 d5b970c1a9..d79fd40342 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); } } From 62560ef859a459542af50dd1905bdf8828a1d142 Mon Sep 17 00:00:00 2001 From: Bart Visscher Date: Fri, 5 Jul 2013 22:59:42 +0200 Subject: [PATCH 49/58] 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 d79fd40342..3b976d50dc 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) { From 42f3ecb60fb14ef9739b436f115d302b5d4432a1 Mon Sep 17 00:00:00 2001 From: Bart Visscher Date: Wed, 10 Jul 2013 18:07:43 +0200 Subject: [PATCH 50/58] 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 22aed1c566..f45012bb83 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 3b976d50dc..41ef2ea299 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) { From 3fd2df4088d17547a3a31023a75cf538c95ade18 Mon Sep 17 00:00:00 2001 From: Bart Visscher Date: Wed, 28 Aug 2013 17:41:27 +0200 Subject: [PATCH 51/58] 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 24ba541ac5..f5cb33732f 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 f45012bb83..2e6a37c9f4 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 41ef2ea299..b620f0be15 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); } } From e7b40983e4841de1b36c270e7331e345aac6a90c Mon Sep 17 00:00:00 2001 From: Jan-Christoph Borchardt Date: Wed, 28 Aug 2013 17:58:23 +0200 Subject: [PATCH 52/58] 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 d580b6113e..c2f79dff68 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}); From d4952bd9df679306ff3e2a8efba1f37ed9d97044 Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Wed, 28 Aug 2013 18:36:32 +0200 Subject: [PATCH 53/58] 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 b620f0be15..bf23ad588b 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) { From 54d07bd9b0448c8343b1f9424f75b859d0b3d01d Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Wed, 28 Aug 2013 21:22:56 +0200 Subject: [PATCH 54/58] update 3rdparty - md5 --- 3rdparty | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/3rdparty b/3rdparty index 6c11629596..21b466b72c 160000 --- a/3rdparty +++ b/3rdparty @@ -1 +1 @@ -Subproject commit 6c1162959688f6b4a91d15c9b208ef408694343a +Subproject commit 21b466b72cdd4c823c011669593ecef1defb1f3c From 067815099f909a20fd6cf79af451dedc53bf4c54 Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Wed, 28 Aug 2013 21:54:20 +0200 Subject: [PATCH 55/58] 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 6a1c653b58..318fe48ffa 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()); } From 6c7efd5dacaf9144b715ad6db408ce53d0682cbe Mon Sep 17 00:00:00 2001 From: kondou Date: Wed, 28 Aug 2013 22:12:01 +0200 Subject: [PATCH 56/58] 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 d9817aff6b..3372d769bd 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(); 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 57/58] 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 3372d769bd..1ae4593217 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(); 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 58/58] 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 318fe48ffa..16543541cb 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. *