diff options
Diffstat (limited to 'apps')
273 files changed, 1067 insertions, 842 deletions
diff --git a/apps/dav/appinfo/v1/carddav.php b/apps/dav/appinfo/v1/carddav.php index bcd66e47090..415a5c9634a 100644 --- a/apps/dav/appinfo/v1/carddav.php +++ b/apps/dav/appinfo/v1/carddav.php @@ -63,6 +63,7 @@ $cardDavBackend = new CardDavBackend( Server::get(IUserManager::class), Server::get(IEventDispatcher::class), Server::get(\OCA\DAV\CardDAV\Sharing\Backend::class), + Server::get(IConfig::class), ); $debugging = Server::get(IConfig::class)->getSystemValue('debug', false); diff --git a/apps/dav/lib/CardDAV/AddressBook.php b/apps/dav/lib/CardDAV/AddressBook.php index d2391880585..4d30d507a7d 100644 --- a/apps/dav/lib/CardDAV/AddressBook.php +++ b/apps/dav/lib/CardDAV/AddressBook.php @@ -8,7 +8,6 @@ namespace OCA\DAV\CardDAV; use OCA\DAV\DAV\Sharing\IShareable; -use OCA\DAV\Exception\UnsupportedLimitOnInitialSyncException; use OCP\DB\Exception; use OCP\IL10N; use OCP\Server; @@ -234,9 +233,6 @@ class AddressBook extends \Sabre\CardDAV\AddressBook implements IShareable, IMov } public function getChanges($syncToken, $syncLevel, $limit = null) { - if (!$syncToken && $limit) { - throw new UnsupportedLimitOnInitialSyncException(); - } return parent::getChanges($syncToken, $syncLevel, $limit); } diff --git a/apps/dav/lib/CardDAV/AddressBookImpl.php b/apps/dav/lib/CardDAV/AddressBookImpl.php index 6bb8e24f628..ae77498539b 100644 --- a/apps/dav/lib/CardDAV/AddressBookImpl.php +++ b/apps/dav/lib/CardDAV/AddressBookImpl.php @@ -152,6 +152,10 @@ class AddressBookImpl implements IAddressBookEnabled { $permissions = $this->addressBook->getACL(); $result = 0; foreach ($permissions as $permission) { + if ($this->addressBookInfo['principaluri'] !== $permission['principal']) { + continue; + } + switch ($permission['privilege']) { case '{DAV:}read': $result |= Constants::PERMISSION_READ; diff --git a/apps/dav/lib/CardDAV/CardDavBackend.php b/apps/dav/lib/CardDAV/CardDavBackend.php index 06bd8d8ee2c..a78686eb61d 100644 --- a/apps/dav/lib/CardDAV/CardDavBackend.php +++ b/apps/dav/lib/CardDAV/CardDavBackend.php @@ -23,6 +23,7 @@ use OCP\AppFramework\Db\TTransactional; use OCP\DB\Exception; use OCP\DB\QueryBuilder\IQueryBuilder; use OCP\EventDispatcher\IEventDispatcher; +use OCP\IConfig; use OCP\IDBConnection; use OCP\IUserManager; use PDO; @@ -59,6 +60,7 @@ class CardDavBackend implements BackendInterface, SyncSupport { private IUserManager $userManager, private IEventDispatcher $dispatcher, private Sharing\Backend $sharingBackend, + private IConfig $config, ) { } @@ -851,6 +853,8 @@ class CardDavBackend implements BackendInterface, SyncSupport { * @return array */ public function getChangesForAddressBook($addressBookId, $syncToken, $syncLevel, $limit = null) { + $maxLimit = $this->config->getSystemValueInt('carddav_sync_request_truncation', 2500); + $limit = ($limit === null) ? $maxLimit : min($limit, $maxLimit); // Current synctoken return $this->atomic(function () use ($addressBookId, $syncToken, $syncLevel, $limit) { $qb = $this->db->getQueryBuilder(); @@ -873,10 +877,35 @@ class CardDavBackend implements BackendInterface, SyncSupport { 'modified' => [], 'deleted' => [], ]; - - if ($syncToken) { + if (str_starts_with($syncToken, 'init_')) { + $syncValues = explode('_', $syncToken); + $lastID = $syncValues[1]; + $initialSyncToken = $syncValues[2]; $qb = $this->db->getQueryBuilder(); - $qb->select('uri', 'operation') + $qb->select('id', 'uri') + ->from('cards') + ->where( + $qb->expr()->andX( + $qb->expr()->eq('addressbookid', $qb->createNamedParameter($addressBookId)), + $qb->expr()->gt('id', $qb->createNamedParameter($lastID))) + )->orderBy('id') + ->setMaxResults($limit); + $stmt = $qb->executeQuery(); + $values = $stmt->fetchAll(\PDO::FETCH_ASSOC); + $stmt->closeCursor(); + if (count($values) === 0) { + $result['syncToken'] = $initialSyncToken; + $result['result_truncated'] = false; + $result['added'] = []; + } else { + $lastID = $values[array_key_last($values)]['id']; + $result['added'] = array_column($values, 'uri'); + $result['syncToken'] = count($result['added']) >= $limit ? "init_{$lastID}_$initialSyncToken" : $initialSyncToken ; + $result['result_truncated'] = count($result['added']) >= $limit; + } + } elseif ($syncToken) { + $qb = $this->db->getQueryBuilder(); + $qb->select('uri', 'operation', 'synctoken') ->from('addressbookchanges') ->where( $qb->expr()->andX( @@ -886,22 +915,31 @@ class CardDavBackend implements BackendInterface, SyncSupport { ) )->orderBy('synctoken'); - if (is_int($limit) && $limit > 0) { + if ($limit > 0) { $qb->setMaxResults($limit); } // Fetching all changes $stmt = $qb->executeQuery(); + $rowCount = $stmt->rowCount(); $changes = []; + $highestSyncToken = 0; // This loop ensures that any duplicates are overwritten, only the // last change on a node is relevant. while ($row = $stmt->fetch(\PDO::FETCH_ASSOC)) { $changes[$row['uri']] = $row['operation']; + $highestSyncToken = $row['synctoken']; } + $stmt->closeCursor(); + // No changes found, use current token + if (empty($changes)) { + $result['syncToken'] = $currentToken; + } + foreach ($changes as $uri => $operation) { switch ($operation) { case 1: @@ -915,16 +953,43 @@ class CardDavBackend implements BackendInterface, SyncSupport { break; } } + + /* + * The synctoken in oc_addressbooks is always the highest synctoken in oc_addressbookchanges for a given addressbook plus one (see addChange). + * + * For truncated results, it is expected that we return the highest token from the response, so the client can continue from the latest change. + * + * For non-truncated results, it is expected to return the currentToken. If we return the highest token, as with truncated results, the client will always think it is one change behind. + * + * Therefore, we differentiate between truncated and non-truncated results when returning the synctoken. + */ + if ($rowCount === $limit && $highestSyncToken < $currentToken) { + $result['syncToken'] = $highestSyncToken; + $result['result_truncated'] = true; + } } else { $qb = $this->db->getQueryBuilder(); - $qb->select('uri') + $qb->select('id', 'uri') ->from('cards') ->where( $qb->expr()->eq('addressbookid', $qb->createNamedParameter($addressBookId)) ); // No synctoken supplied, this is the initial sync. + $qb->setMaxResults($limit); $stmt = $qb->executeQuery(); - $result['added'] = $stmt->fetchAll(\PDO::FETCH_COLUMN); + $values = $stmt->fetchAll(\PDO::FETCH_ASSOC); + if (empty($values)) { + $result['added'] = []; + return $result; + } + $lastID = $values[array_key_last($values)]['id']; + if (count($values) >= $limit) { + $result['syncToken'] = 'init_' . $lastID . '_' . $currentToken; + $result['result_truncated'] = true; + } + + $result['added'] = array_column($values, 'uri'); + $stmt->closeCursor(); } return $result; diff --git a/apps/dav/lib/CardDAV/SyncService.php b/apps/dav/lib/CardDAV/SyncService.php index 4a75f8ced6c..e6da3ed5923 100644 --- a/apps/dav/lib/CardDAV/SyncService.php +++ b/apps/dav/lib/CardDAV/SyncService.php @@ -22,6 +22,7 @@ use Psr\Log\LoggerInterface; use Sabre\DAV\Xml\Response\MultiStatus; use Sabre\DAV\Xml\Service; use Sabre\VObject\Reader; +use Sabre\Xml\ParseException; use function is_null; class SyncService { @@ -43,9 +44,10 @@ class SyncService { } /** + * @psalm-return list{0: ?string, 1: boolean} * @throws \Exception */ - public function syncRemoteAddressBook(string $url, string $userName, string $addressBookUrl, string $sharedSecret, ?string $syncToken, string $targetBookHash, string $targetPrincipal, array $targetProperties): string { + public function syncRemoteAddressBook(string $url, string $userName, string $addressBookUrl, string $sharedSecret, ?string $syncToken, string $targetBookHash, string $targetPrincipal, array $targetProperties): array { // 1. create addressbook $book = $this->ensureSystemAddressBookExists($targetPrincipal, $targetBookHash, $targetProperties); $addressBookId = $book['id']; @@ -83,7 +85,10 @@ class SyncService { } } - return $response['token']; + return [ + $response['token'], + $response['truncated'], + ]; } /** @@ -127,7 +132,7 @@ class SyncService { private function prepareUri(string $host, string $path): string { /* - * The trailing slash is important for merging the uris together. + * The trailing slash is important for merging the uris. * * $host is stored in oc_trusted_servers.url and usually without a trailing slash. * @@ -158,7 +163,9 @@ class SyncService { } /** + * @return array{response: array<string, array<array-key, mixed>>, token: ?string, truncated: bool} * @throws ClientExceptionInterface + * @throws ParseException */ protected function requestSyncReport(string $url, string $userName, string $addressBookUrl, string $sharedSecret, ?string $syncToken): array { $client = $this->clientService->newClient(); @@ -181,7 +188,7 @@ class SyncService { $body = $response->getBody(); assert(is_string($body)); - return $this->parseMultiStatus($body); + return $this->parseMultiStatus($body, $addressBookUrl); } protected function download(string $url, string $userName, string $sharedSecret, string $resourcePath): string { @@ -219,22 +226,50 @@ class SyncService { } /** - * @param string $body - * @return array - * @throws \Sabre\Xml\ParseException + * @return array{response: array<string, array<array-key, mixed>>, token: ?string, truncated: bool} + * @throws ParseException */ - private function parseMultiStatus($body) { - $xml = new Service(); - + private function parseMultiStatus(string $body, string $addressBookUrl): array { /** @var MultiStatus $multiStatus */ - $multiStatus = $xml->expect('{DAV:}multistatus', $body); + $multiStatus = (new Service())->expect('{DAV:}multistatus', $body); $result = []; + $truncated = false; + foreach ($multiStatus->getResponses() as $response) { - $result[$response->getHref()] = $response->getResponseProperties(); + $href = $response->getHref(); + if ($response->getHttpStatus() === '507' && $this->isResponseForRequestUri($href, $addressBookUrl)) { + $truncated = true; + } else { + $result[$response->getHref()] = $response->getResponseProperties(); + } } - return ['response' => $result, 'token' => $multiStatus->getSyncToken()]; + return ['response' => $result, 'token' => $multiStatus->getSyncToken(), 'truncated' => $truncated]; + } + + /** + * Determines whether the provided response URI corresponds to the given request URI. + */ + private function isResponseForRequestUri(string $responseUri, string $requestUri): bool { + /* + * Example response uri: + * + * /remote.php/dav/addressbooks/system/system/system/ + * /cloud/remote.php/dav/addressbooks/system/system/system/ (when installed in a subdirectory) + * + * Example request uri: + * + * remote.php/dav/addressbooks/system/system/system + * + * References: + * https://github.com/nextcloud/3rdparty/blob/e0a509739b13820f0a62ff9cad5d0fede00e76ee/sabre/dav/lib/DAV/Sync/Plugin.php#L172-L174 + * https://github.com/nextcloud/server/blob/b40acb34a39592070d8455eb91c5364c07928c50/apps/federation/lib/SyncFederationAddressBooks.php#L41 + */ + return str_ends_with( + rtrim($responseUri, '/'), + rtrim($requestUri, '/') + ); } /** diff --git a/apps/dav/lib/CardDAV/SystemAddressbook.php b/apps/dav/lib/CardDAV/SystemAddressbook.php index e0032044e70..912a2f1dcee 100644 --- a/apps/dav/lib/CardDAV/SystemAddressbook.php +++ b/apps/dav/lib/CardDAV/SystemAddressbook.php @@ -8,7 +8,6 @@ declare(strict_types=1); */ namespace OCA\DAV\CardDAV; -use OCA\DAV\Exception\UnsupportedLimitOnInitialSyncException; use OCA\Federation\TrustedServers; use OCP\Accounts\IAccountManager; use OCP\IConfig; @@ -212,14 +211,7 @@ class SystemAddressbook extends AddressBook { } return new Card($this->carddavBackend, $this->addressBookInfo, $obj); } - - /** - * @throws UnsupportedLimitOnInitialSyncException - */ public function getChanges($syncToken, $syncLevel, $limit = null) { - if (!$syncToken && $limit) { - throw new UnsupportedLimitOnInitialSyncException(); - } if (!$this->carddavBackend instanceof SyncSupport) { return null; diff --git a/apps/dav/lib/RootCollection.php b/apps/dav/lib/RootCollection.php index f1963c0ef01..870aa0d4540 100644 --- a/apps/dav/lib/RootCollection.php +++ b/apps/dav/lib/RootCollection.php @@ -132,6 +132,7 @@ class RootCollection extends SimpleCollection { ); $contactsSharingBackend = Server::get(\OCA\DAV\CardDAV\Sharing\Backend::class); + $config = Server::get(IConfig::class); $pluginManager = new PluginManager(\OC::$server, Server::get(IAppManager::class)); $usersCardDavBackend = new CardDavBackend( @@ -140,6 +141,7 @@ class RootCollection extends SimpleCollection { $userManager, $dispatcher, $contactsSharingBackend, + $config ); $usersAddressBookRoot = new AddressBookRoot($userPrincipalBackend, $usersCardDavBackend, $pluginManager, $userSession->getUser(), $groupManager, 'principals/users'); $usersAddressBookRoot->disableListing = $disableListing; @@ -150,6 +152,7 @@ class RootCollection extends SimpleCollection { $userManager, $dispatcher, $contactsSharingBackend, + $config ); $systemAddressBookRoot = new AddressBookRoot(new SystemPrincipalBackend(), $systemCardDavBackend, $pluginManager, $userSession->getUser(), $groupManager, 'principals/system'); $systemAddressBookRoot->disableListing = $disableListing; diff --git a/apps/dav/tests/unit/CardDAV/AddressBookImplTest.php b/apps/dav/tests/unit/CardDAV/AddressBookImplTest.php index f7daeb41cca..74699cf3925 100644 --- a/apps/dav/tests/unit/CardDAV/AddressBookImplTest.php +++ b/apps/dav/tests/unit/CardDAV/AddressBookImplTest.php @@ -241,14 +241,15 @@ class AddressBookImplTest extends TestCase { public static function dataTestGetPermissions(): array { return [ [[], 0], - [[['privilege' => '{DAV:}read']], 1], - [[['privilege' => '{DAV:}write']], 6], - [[['privilege' => '{DAV:}all']], 31], - [[['privilege' => '{DAV:}read'],['privilege' => '{DAV:}write']], 7], - [[['privilege' => '{DAV:}read'],['privilege' => '{DAV:}all']], 31], - [[['privilege' => '{DAV:}all'],['privilege' => '{DAV:}write']], 31], - [[['privilege' => '{DAV:}read'],['privilege' => '{DAV:}write'],['privilege' => '{DAV:}all']], 31], - [[['privilege' => '{DAV:}all'],['privilege' => '{DAV:}read'],['privilege' => '{DAV:}write']], 31], + [[['privilege' => '{DAV:}read', 'principal' => 'principals/system/system']], 1], + [[['privilege' => '{DAV:}read', 'principal' => 'principals/system/system'], ['privilege' => '{DAV:}write', 'principal' => 'principals/someone/else']], 1], + [[['privilege' => '{DAV:}write', 'principal' => 'principals/system/system']], 6], + [[['privilege' => '{DAV:}all', 'principal' => 'principals/system/system']], 31], + [[['privilege' => '{DAV:}read', 'principal' => 'principals/system/system'],['privilege' => '{DAV:}write', 'principal' => 'principals/system/system']], 7], + [[['privilege' => '{DAV:}read', 'principal' => 'principals/system/system'],['privilege' => '{DAV:}all', 'principal' => 'principals/system/system']], 31], + [[['privilege' => '{DAV:}all', 'principal' => 'principals/system/system'],['privilege' => '{DAV:}write', 'principal' => 'principals/system/system']], 31], + [[['privilege' => '{DAV:}read', 'principal' => 'principals/system/system'],['privilege' => '{DAV:}write', 'principal' => 'principals/system/system'],['privilege' => '{DAV:}all', 'principal' => 'principals/system/system']], 31], + [[['privilege' => '{DAV:}all', 'principal' => 'principals/system/system'],['privilege' => '{DAV:}read', 'principal' => 'principals/system/system'],['privilege' => '{DAV:}write', 'principal' => 'principals/system/system']], 31], ]; } diff --git a/apps/dav/tests/unit/CardDAV/CardDavBackendTest.php b/apps/dav/tests/unit/CardDAV/CardDavBackendTest.php index 1966a8d8c9a..c5eafa0764a 100644 --- a/apps/dav/tests/unit/CardDAV/CardDavBackendTest.php +++ b/apps/dav/tests/unit/CardDAV/CardDavBackendTest.php @@ -50,6 +50,7 @@ class CardDavBackendTest extends TestCase { private IUserManager&MockObject $userManager; private IGroupManager&MockObject $groupManager; private IEventDispatcher&MockObject $dispatcher; + private IConfig&MockObject $config; private Backend $sharingBackend; private IDBConnection $db; private CardDavBackend $backend; @@ -96,6 +97,7 @@ class CardDavBackendTest extends TestCase { $this->userManager = $this->createMock(IUserManager::class); $this->groupManager = $this->createMock(IGroupManager::class); + $this->config = $this->createMock(IConfig::class); $this->principal = $this->getMockBuilder(Principal::class) ->setConstructorArgs([ $this->userManager, @@ -106,7 +108,7 @@ class CardDavBackendTest extends TestCase { $this->createMock(IAppManager::class), $this->createMock(ProxyMapper::class), $this->createMock(KnownUserService::class), - $this->createMock(IConfig::class), + $this->config, $this->createMock(IFactory::class) ]) ->onlyMethods(['getPrincipalByPath', 'getGroupMembership', 'findByUri']) @@ -135,6 +137,7 @@ class CardDavBackendTest extends TestCase { $this->userManager, $this->dispatcher, $this->sharingBackend, + $this->config, ); // start every test with a empty cards_properties and cards table $query = $this->db->getQueryBuilder(); @@ -231,7 +234,7 @@ class CardDavBackendTest extends TestCase { public function testCardOperations(): void { /** @var CardDavBackend&MockObject $backend */ $backend = $this->getMockBuilder(CardDavBackend::class) - ->setConstructorArgs([$this->db, $this->principal, $this->userManager, $this->dispatcher, $this->sharingBackend]) + ->setConstructorArgs([$this->db, $this->principal, $this->userManager, $this->dispatcher, $this->sharingBackend,$this->config]) ->onlyMethods(['updateProperties', 'purgeProperties']) ->getMock(); @@ -291,7 +294,7 @@ class CardDavBackendTest extends TestCase { public function testMultiCard(): void { $this->backend = $this->getMockBuilder(CardDavBackend::class) - ->setConstructorArgs([$this->db, $this->principal, $this->userManager, $this->dispatcher, $this->sharingBackend]) + ->setConstructorArgs([$this->db, $this->principal, $this->userManager, $this->dispatcher, $this->sharingBackend,$this->config]) ->onlyMethods(['updateProperties']) ->getMock(); @@ -345,7 +348,7 @@ class CardDavBackendTest extends TestCase { public function testMultipleUIDOnDifferentAddressbooks(): void { $this->backend = $this->getMockBuilder(CardDavBackend::class) - ->setConstructorArgs([$this->db, $this->principal, $this->userManager, $this->dispatcher, $this->sharingBackend]) + ->setConstructorArgs([$this->db, $this->principal, $this->userManager, $this->dispatcher, $this->sharingBackend,$this->config]) ->onlyMethods(['updateProperties']) ->getMock(); @@ -368,7 +371,7 @@ class CardDavBackendTest extends TestCase { public function testMultipleUIDDenied(): void { $this->backend = $this->getMockBuilder(CardDavBackend::class) - ->setConstructorArgs([$this->db, $this->principal, $this->userManager, $this->dispatcher, $this->sharingBackend]) + ->setConstructorArgs([$this->db, $this->principal, $this->userManager, $this->dispatcher, $this->sharingBackend, $this->config]) ->onlyMethods(['updateProperties']) ->getMock(); @@ -390,7 +393,7 @@ class CardDavBackendTest extends TestCase { public function testNoValidUID(): void { $this->backend = $this->getMockBuilder(CardDavBackend::class) - ->setConstructorArgs([$this->db, $this->principal, $this->userManager, $this->dispatcher, $this->sharingBackend]) + ->setConstructorArgs([$this->db, $this->principal, $this->userManager, $this->dispatcher, $this->sharingBackend, $this->config]) ->onlyMethods(['updateProperties']) ->getMock(); @@ -408,7 +411,7 @@ class CardDavBackendTest extends TestCase { public function testDeleteWithoutCard(): void { $this->backend = $this->getMockBuilder(CardDavBackend::class) - ->setConstructorArgs([$this->db, $this->principal, $this->userManager, $this->dispatcher, $this->sharingBackend]) + ->setConstructorArgs([$this->db, $this->principal, $this->userManager, $this->dispatcher, $this->sharingBackend, $this->config]) ->onlyMethods([ 'getCardId', 'addChange', @@ -453,7 +456,7 @@ class CardDavBackendTest extends TestCase { public function testSyncSupport(): void { $this->backend = $this->getMockBuilder(CardDavBackend::class) - ->setConstructorArgs([$this->db, $this->principal, $this->userManager, $this->dispatcher, $this->sharingBackend]) + ->setConstructorArgs([$this->db, $this->principal, $this->userManager, $this->dispatcher, $this->sharingBackend, $this->config]) ->onlyMethods(['updateProperties']) ->getMock(); @@ -522,7 +525,7 @@ class CardDavBackendTest extends TestCase { $cardId = 2; $backend = $this->getMockBuilder(CardDavBackend::class) - ->setConstructorArgs([$this->db, $this->principal, $this->userManager, $this->dispatcher, $this->sharingBackend]) + ->setConstructorArgs([$this->db, $this->principal, $this->userManager, $this->dispatcher, $this->sharingBackend, $this->config]) ->onlyMethods(['getCardId'])->getMock(); $backend->expects($this->any())->method('getCardId')->willReturn($cardId); diff --git a/apps/dav/tests/unit/CardDAV/SyncServiceTest.php b/apps/dav/tests/unit/CardDAV/SyncServiceTest.php index ea4886a67e6..77caed336f4 100644 --- a/apps/dav/tests/unit/CardDAV/SyncServiceTest.php +++ b/apps/dav/tests/unit/CardDAV/SyncServiceTest.php @@ -108,7 +108,7 @@ class SyncServiceTest extends TestCase { '1', 'principals/system/system', [] - ); + )[0]; $this->assertEquals('http://sabre.io/ns/sync/1', $token); } @@ -179,7 +179,7 @@ END:VCARD'; '1', 'principals/system/system', [] - ); + )[0]; $this->assertEquals('http://sabre.io/ns/sync/2', $token); } @@ -250,7 +250,7 @@ END:VCARD'; '1', 'principals/system/system', [] - ); + )[0]; $this->assertEquals('http://sabre.io/ns/sync/3', $token); } @@ -291,7 +291,7 @@ END:VCARD'; '1', 'principals/system/system', [] - ); + )[0]; $this->assertEquals('http://sabre.io/ns/sync/4', $token); } diff --git a/apps/encryption/l10n/es.js b/apps/encryption/l10n/es.js index a1d92c851f5..114aa02968f 100644 --- a/apps/encryption/l10n/es.js +++ b/apps/encryption/l10n/es.js @@ -39,7 +39,7 @@ OC.L10N.register( "In order to use this encryption module you need to enable server-side encryption in the admin settings. Once enabled this module will encrypt all your files transparently. The encryption is based on AES 256 keys.\nThe module will not touch existing files, only new files will be encrypted after server-side encryption was enabled. It is also not possible to disable the encryption again and switch back to an unencrypted system.\nPlease read the documentation to know all implications before you decide to enable server-side encryption." : "De manera de usar este módulo de cifrado necesita activar el cifrado del lado del servidor en la configuraciones de administrador. Una vez que esté habilitado este módulo cifrará todos tus archivos de manera transparente. El cifrado está basado en llaves AES-256\nEl módulo no tocará los archivos existentes, solo los archivos nuevos serán cifrados una vez que el cifrado del lado del servidor se habilite. Además, no es posible deshabilitar el cifrado de nuevo y cambiar a un sistema sin cifrado.\nPor favor lea la documentación para que entienda todas las implicaciones antes de que decida habilitar el cifrado del lado del servidor.", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La app de cifrado está habilitada pero sus claves no se han inicializado, por favor, cierre la sesión y vuelva a iniciarla de nuevo.", "Encrypt the home storage" : "Encriptar el almacenamiento personal", - "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Al activar esta opción se encriptarán todos los archivos almacenados en la memoria principal, de lo contrario serán cifrados sólo los archivos de almacenamiento externo", + "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Al activar esta opción se encriptarán todos los archivos almacenados en la memoria principal, de lo contrario, serán cifrados sólo los archivos de almacenamiento externo", "Enable recovery key" : "Activa la clave de recuperación", "Disable recovery key" : "Desactiva la clave de recuperación", "The recovery key is an additional encryption key used to encrypt files. It is used to recover files from an account if the password is forgotten." : "La llave de recuperación es una llave de cifrado adicional utilizada para cifrar archivos. Es utilizada para recuperar los archivos de una cuenta si la contraseña fuese olvidada.", diff --git a/apps/encryption/l10n/es.json b/apps/encryption/l10n/es.json index 3cd877cc715..9ec1c763bba 100644 --- a/apps/encryption/l10n/es.json +++ b/apps/encryption/l10n/es.json @@ -37,7 +37,7 @@ "In order to use this encryption module you need to enable server-side encryption in the admin settings. Once enabled this module will encrypt all your files transparently. The encryption is based on AES 256 keys.\nThe module will not touch existing files, only new files will be encrypted after server-side encryption was enabled. It is also not possible to disable the encryption again and switch back to an unencrypted system.\nPlease read the documentation to know all implications before you decide to enable server-side encryption." : "De manera de usar este módulo de cifrado necesita activar el cifrado del lado del servidor en la configuraciones de administrador. Una vez que esté habilitado este módulo cifrará todos tus archivos de manera transparente. El cifrado está basado en llaves AES-256\nEl módulo no tocará los archivos existentes, solo los archivos nuevos serán cifrados una vez que el cifrado del lado del servidor se habilite. Además, no es posible deshabilitar el cifrado de nuevo y cambiar a un sistema sin cifrado.\nPor favor lea la documentación para que entienda todas las implicaciones antes de que decida habilitar el cifrado del lado del servidor.", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La app de cifrado está habilitada pero sus claves no se han inicializado, por favor, cierre la sesión y vuelva a iniciarla de nuevo.", "Encrypt the home storage" : "Encriptar el almacenamiento personal", - "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Al activar esta opción se encriptarán todos los archivos almacenados en la memoria principal, de lo contrario serán cifrados sólo los archivos de almacenamiento externo", + "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Al activar esta opción se encriptarán todos los archivos almacenados en la memoria principal, de lo contrario, serán cifrados sólo los archivos de almacenamiento externo", "Enable recovery key" : "Activa la clave de recuperación", "Disable recovery key" : "Desactiva la clave de recuperación", "The recovery key is an additional encryption key used to encrypt files. It is used to recover files from an account if the password is forgotten." : "La llave de recuperación es una llave de cifrado adicional utilizada para cifrar archivos. Es utilizada para recuperar los archivos de una cuenta si la contraseña fuese olvidada.", diff --git a/apps/federation/lib/SyncFederationAddressBooks.php b/apps/federation/lib/SyncFederationAddressBooks.php index 05144b40879..d11f92b76ef 100644 --- a/apps/federation/lib/SyncFederationAddressBooks.php +++ b/apps/federation/lib/SyncFederationAddressBooks.php @@ -34,7 +34,7 @@ class SyncFederationAddressBooks { $url = $trustedServer['url']; $callback($url, null); $sharedSecret = $trustedServer['shared_secret']; - $syncToken = $trustedServer['sync_token']; + $oldSyncToken = $trustedServer['sync_token']; $endPoints = $this->ocsDiscoveryService->discover($url, 'FEDERATED_SHARING'); $cardDavUser = $endPoints['carddav-user'] ?? 'system'; @@ -49,10 +49,25 @@ class SyncFederationAddressBooks { $targetBookProperties = [ '{DAV:}displayname' => $url ]; + try { - $newToken = $this->syncService->syncRemoteAddressBook($url, $cardDavUser, $addressBookUrl, $sharedSecret, $syncToken, $targetBookId, $targetPrincipal, $targetBookProperties); - if ($newToken !== $syncToken) { - $this->dbHandler->setServerStatus($url, TrustedServers::STATUS_OK, $newToken); + $syncToken = $oldSyncToken; + + do { + [$syncToken, $truncated] = $this->syncService->syncRemoteAddressBook( + $url, + $cardDavUser, + $addressBookUrl, + $sharedSecret, + $syncToken, + $targetBookId, + $targetPrincipal, + $targetBookProperties + ); + } while ($truncated); + + if ($syncToken !== $oldSyncToken) { + $this->dbHandler->setServerStatus($url, TrustedServers::STATUS_OK, $syncToken); } else { $this->logger->debug("Sync Token for $url unchanged from previous sync"); // The server status might have been changed to a failure status in previous runs. diff --git a/apps/federation/tests/SyncFederationAddressbooksTest.php b/apps/federation/tests/SyncFederationAddressbooksTest.php index 8b075204859..ff03f5cf442 100644 --- a/apps/federation/tests/SyncFederationAddressbooksTest.php +++ b/apps/federation/tests/SyncFederationAddressbooksTest.php @@ -45,7 +45,7 @@ class SyncFederationAddressbooksTest extends \Test\TestCase { ->with('https://cloud.example.org', 1, '1'); $syncService = $this->createMock(SyncService::class); $syncService->expects($this->once())->method('syncRemoteAddressBook') - ->willReturn('1'); + ->willReturn(['1', false]); /** @var SyncService $syncService */ $s = new SyncFederationAddressBooks($dbHandler, $syncService, $this->discoveryService, $this->logger); @@ -96,7 +96,7 @@ class SyncFederationAddressbooksTest extends \Test\TestCase { ->with('https://cloud.example.org', 1); $syncService = $this->createMock(SyncService::class); $syncService->expects($this->once())->method('syncRemoteAddressBook') - ->willReturn('0'); + ->willReturn(['0', false]); /** @var SyncService $syncService */ $s = new SyncFederationAddressBooks($dbHandler, $syncService, $this->discoveryService, $this->logger); diff --git a/apps/files/l10n/ar.js b/apps/files/l10n/ar.js index ff9d5abcee4..a8abae562f9 100644 --- a/apps/files/l10n/ar.js +++ b/apps/files/l10n/ar.js @@ -249,7 +249,6 @@ OC.L10N.register( "File successfully converted" : "تمّ تحويل الملفات بنجاحٍ", "Failed to convert file: {message}" : "تعذّر تحويل الملف: {message}", "Failed to convert file" : "تعذّر تحويل ملف", - "Deletion cancelled" : "تمّ إلغاء الحذف", "Leave this share" : "مغادرة هذه المشاركة", "Leave these shares" : "مغادرة هاتين المشاركتين", "Disconnect storage" : "قطع اتصال التخزين", @@ -273,7 +272,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "لا يمكنك نقل ملف/مجلد إلى نفسه أو إلى مجلد فرعي منه", "(copy)" : "(نسخ)", "(copy %n)" : "(نسخ %n)", - "Move cancelled" : "تمّ إلغاء النقل", "A file or folder with that name already exists in this folder" : "ملف أو مجلد بنفس ذاك الاسم موجود سلفاً في هذا المجلد", "The files are locked" : "الملفات مقفلة", "The file does not exist anymore" : "الملف لم يعد موجوداً", @@ -284,8 +282,6 @@ OC.L10N.register( "Move" : "نقل", "Move or copy operation failed" : "عملية النسخ أو النقل فشلت", "Move or copy" : "نقل أو نسخ", - "Cancelled move or copy of \"{filename}\"." : "تمّ إلغاء عملية حذف أو نقل الملف \"{filename}\".", - "Cancelled move or copy operation" : ".عملية النسخ أو النقل تمّ إلغاؤها", "Open folder {displayName}" : "فتح المجلد {displayName}", "Open in Files" : "فتح في \"الملفات\"", "Open locally" : "الفتح محلّيّاً", @@ -310,7 +306,6 @@ OC.L10N.register( "Audio" : "صوت", "Photos and images" : "الصور ", "Videos" : "مقاطع فيديو", - "New folder creation cancelled" : "تمّ إلغاء عملية إنشاء مجلد جديد", "Created new folder \"{name}\"" : "تمّ إنشاء مجلد جديد باسم \"{name}\"", "Unable to initialize the templates directory" : "تعذر تهيئة دليل القوالب", "Create templates folder" : "إنشاء مجلد للقوالب", @@ -444,6 +439,11 @@ OC.L10N.register( "Enable the grid view" : "تمكين العرض الشبكي", "Use this address to access your Files via WebDAV" : "استخدم هذا العنوان للوصول للملفات عبر WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "إذا كنت قد فعّلت خاصية \"التحقق ثنائي العوامل من الهوية 2FA\"، يجب عليك تجديد كلمة مرور التطبيق بالضغط هنا.", + "Deletion cancelled" : "تمّ إلغاء الحذف", + "Move cancelled" : "تمّ إلغاء النقل", + "Cancelled move or copy of \"{filename}\"." : "تمّ إلغاء عملية حذف أو نقل الملف \"{filename}\".", + "Cancelled move or copy operation" : ".عملية النسخ أو النقل تمّ إلغاؤها", + "New folder creation cancelled" : "تمّ إلغاء عملية إنشاء مجلد جديد", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} مجلد","{folderCount} مجلد","{folderCount} مجلد","{folderCount} مجلدات","{folderCount} مجلد","{folderCount} مجلد"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} ملف","{fileCount} ملف","{fileCount} ملف","{fileCount} ملفات","{fileCount} ملف","{fileCount} ملف"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 ملف و {folderCount} مجلد","1 ملف و {folderCount} مجلد","1 ملف و {folderCount} مجلد","1 ملف و{folderCount} مجلدات","1 ملف و {folderCount} مجلد","1 ملف و {folderCount} مجلد"], diff --git a/apps/files/l10n/ar.json b/apps/files/l10n/ar.json index b4dbfca1d3d..f751c7c9950 100644 --- a/apps/files/l10n/ar.json +++ b/apps/files/l10n/ar.json @@ -247,7 +247,6 @@ "File successfully converted" : "تمّ تحويل الملفات بنجاحٍ", "Failed to convert file: {message}" : "تعذّر تحويل الملف: {message}", "Failed to convert file" : "تعذّر تحويل ملف", - "Deletion cancelled" : "تمّ إلغاء الحذف", "Leave this share" : "مغادرة هذه المشاركة", "Leave these shares" : "مغادرة هاتين المشاركتين", "Disconnect storage" : "قطع اتصال التخزين", @@ -271,7 +270,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "لا يمكنك نقل ملف/مجلد إلى نفسه أو إلى مجلد فرعي منه", "(copy)" : "(نسخ)", "(copy %n)" : "(نسخ %n)", - "Move cancelled" : "تمّ إلغاء النقل", "A file or folder with that name already exists in this folder" : "ملف أو مجلد بنفس ذاك الاسم موجود سلفاً في هذا المجلد", "The files are locked" : "الملفات مقفلة", "The file does not exist anymore" : "الملف لم يعد موجوداً", @@ -282,8 +280,6 @@ "Move" : "نقل", "Move or copy operation failed" : "عملية النسخ أو النقل فشلت", "Move or copy" : "نقل أو نسخ", - "Cancelled move or copy of \"{filename}\"." : "تمّ إلغاء عملية حذف أو نقل الملف \"{filename}\".", - "Cancelled move or copy operation" : ".عملية النسخ أو النقل تمّ إلغاؤها", "Open folder {displayName}" : "فتح المجلد {displayName}", "Open in Files" : "فتح في \"الملفات\"", "Open locally" : "الفتح محلّيّاً", @@ -308,7 +304,6 @@ "Audio" : "صوت", "Photos and images" : "الصور ", "Videos" : "مقاطع فيديو", - "New folder creation cancelled" : "تمّ إلغاء عملية إنشاء مجلد جديد", "Created new folder \"{name}\"" : "تمّ إنشاء مجلد جديد باسم \"{name}\"", "Unable to initialize the templates directory" : "تعذر تهيئة دليل القوالب", "Create templates folder" : "إنشاء مجلد للقوالب", @@ -442,6 +437,11 @@ "Enable the grid view" : "تمكين العرض الشبكي", "Use this address to access your Files via WebDAV" : "استخدم هذا العنوان للوصول للملفات عبر WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "إذا كنت قد فعّلت خاصية \"التحقق ثنائي العوامل من الهوية 2FA\"، يجب عليك تجديد كلمة مرور التطبيق بالضغط هنا.", + "Deletion cancelled" : "تمّ إلغاء الحذف", + "Move cancelled" : "تمّ إلغاء النقل", + "Cancelled move or copy of \"{filename}\"." : "تمّ إلغاء عملية حذف أو نقل الملف \"{filename}\".", + "Cancelled move or copy operation" : ".عملية النسخ أو النقل تمّ إلغاؤها", + "New folder creation cancelled" : "تمّ إلغاء عملية إنشاء مجلد جديد", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} مجلد","{folderCount} مجلد","{folderCount} مجلد","{folderCount} مجلدات","{folderCount} مجلد","{folderCount} مجلد"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} ملف","{fileCount} ملف","{fileCount} ملف","{fileCount} ملفات","{fileCount} ملف","{fileCount} ملف"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 ملف و {folderCount} مجلد","1 ملف و {folderCount} مجلد","1 ملف و {folderCount} مجلد","1 ملف و{folderCount} مجلدات","1 ملف و {folderCount} مجلد","1 ملف و {folderCount} مجلد"], diff --git a/apps/files/l10n/ast.js b/apps/files/l10n/ast.js index ec1d5efcb4b..4afad662551 100644 --- a/apps/files/l10n/ast.js +++ b/apps/files/l10n/ast.js @@ -164,7 +164,6 @@ OC.L10N.register( "Pick a template for {name}" : "Escoyer una plantía pa: {name}", "Create a new file with the selected template" : "Crea un ficheru cola plantía seleicionada", "Creating file" : "Creando'l ficheru", - "Deletion cancelled" : "Anulóse'l desaniciu", "Leave this share" : "Dexar esta compartición", "Leave these shares" : "Dexar estes comparticiones", "Disconnect storage" : "Desconectar l'almacenamientu", @@ -184,7 +183,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "Nun pues mover un ficheru/carpeta a sigo mesma o la mesma socarpeta de la mesma carpeta", "(copy)" : "(copia)", "(copy %n)" : "(copia %n)", - "Move cancelled" : "Anulóse la operación de mover", "A file or folder with that name already exists in this folder" : "Nesta carpeta, yá estie un ficheru o una carpeta con esi nome", "The files are locked" : "Los ficheros tán bloquiaos", "The file does not exist anymore" : "El ficheru yá nun esiste", @@ -195,7 +193,6 @@ OC.L10N.register( "Move" : "Mover", "Move or copy operation failed" : "La operación de mover o copiar falló", "Move or copy" : "Mover o copiar", - "Cancelled move or copy operation" : "Anulóse la operación de mover o copiar", "Open folder {displayName}" : "Abrir la carpeta «{displayName}»", "Open in Files" : "Abrir en Ficheros", "Open locally" : "Abrir llocalmente", @@ -330,6 +327,9 @@ OC.L10N.register( "Enable the grid view" : "Activar la vista de rexáu", "Use this address to access your Files via WebDAV" : "Usa esta direición p'acceder a los ficheros per WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Si tienes activada l'autenticación en dos pasos, tienes de crear y usar una contraseña p'aplicaciones nueva calcando equí.", + "Deletion cancelled" : "Anulóse'l desaniciu", + "Move cancelled" : "Anulóse la operación de mover", + "Cancelled move or copy operation" : "Anulóse la operación de mover o copiar", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} carpeta","{folderCount} carpetes"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} ficheru","{fileCount} ficheros"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 ficheru y {folderCount} carpeta","1 ficheru y {folderCount} carpetes"], diff --git a/apps/files/l10n/ast.json b/apps/files/l10n/ast.json index 26e52e6dabb..f694bad7c13 100644 --- a/apps/files/l10n/ast.json +++ b/apps/files/l10n/ast.json @@ -162,7 +162,6 @@ "Pick a template for {name}" : "Escoyer una plantía pa: {name}", "Create a new file with the selected template" : "Crea un ficheru cola plantía seleicionada", "Creating file" : "Creando'l ficheru", - "Deletion cancelled" : "Anulóse'l desaniciu", "Leave this share" : "Dexar esta compartición", "Leave these shares" : "Dexar estes comparticiones", "Disconnect storage" : "Desconectar l'almacenamientu", @@ -182,7 +181,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "Nun pues mover un ficheru/carpeta a sigo mesma o la mesma socarpeta de la mesma carpeta", "(copy)" : "(copia)", "(copy %n)" : "(copia %n)", - "Move cancelled" : "Anulóse la operación de mover", "A file or folder with that name already exists in this folder" : "Nesta carpeta, yá estie un ficheru o una carpeta con esi nome", "The files are locked" : "Los ficheros tán bloquiaos", "The file does not exist anymore" : "El ficheru yá nun esiste", @@ -193,7 +191,6 @@ "Move" : "Mover", "Move or copy operation failed" : "La operación de mover o copiar falló", "Move or copy" : "Mover o copiar", - "Cancelled move or copy operation" : "Anulóse la operación de mover o copiar", "Open folder {displayName}" : "Abrir la carpeta «{displayName}»", "Open in Files" : "Abrir en Ficheros", "Open locally" : "Abrir llocalmente", @@ -328,6 +325,9 @@ "Enable the grid view" : "Activar la vista de rexáu", "Use this address to access your Files via WebDAV" : "Usa esta direición p'acceder a los ficheros per WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Si tienes activada l'autenticación en dos pasos, tienes de crear y usar una contraseña p'aplicaciones nueva calcando equí.", + "Deletion cancelled" : "Anulóse'l desaniciu", + "Move cancelled" : "Anulóse la operación de mover", + "Cancelled move or copy operation" : "Anulóse la operación de mover o copiar", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} carpeta","{folderCount} carpetes"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} ficheru","{fileCount} ficheros"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 ficheru y {folderCount} carpeta","1 ficheru y {folderCount} carpetes"], diff --git a/apps/files/l10n/be.js b/apps/files/l10n/be.js index f4abbac4e1e..2d0f09c5426 100644 --- a/apps/files/l10n/be.js +++ b/apps/files/l10n/be.js @@ -133,7 +133,6 @@ OC.L10N.register( "Converting files …" : "Канвертацыя файлаў …", "Converting file …" : "Канвертацыя файла …", "File successfully converted" : "Файл паспяхова сканвертаваны", - "Deletion cancelled" : "Выдаленне скасавана", "Delete permanently" : "Выдаліць назаўжды", "Delete file" : "Выдаліць файл", "Delete files" : "Выдаліць файлы", @@ -150,7 +149,6 @@ OC.L10N.register( "This file/folder is already in that directory" : "Гэты файл/папка ўжо знаходзіцца ў гэтым каталогу", "(copy)" : "(копія)", "(copy %n)" : "(копія %n)", - "Move cancelled" : "Перамяшчэнне скасавана", "A file or folder with that name already exists in this folder" : "Файл або папка з такой назвай ужо існуе ў гэтай папцы", "The files are locked" : "Файлы заблакіраваны", "The file does not exist anymore" : "Файл больш не існуе", @@ -177,7 +175,6 @@ OC.L10N.register( "Audio" : "Аўдыя", "Photos and images" : "Фота і відарысы", "Videos" : "Відэа", - "New folder creation cancelled" : "Стварэнне новай папкі скасавана", "Created new folder \"{name}\"" : "Створана новая папка \"{name}\"", "Unable to initialize the templates directory" : "Немагчыма ініцыялізаваць каталог шаблонаў", "Create templates folder" : "Стварыць папку шаблонаў", @@ -240,6 +237,9 @@ OC.L10N.register( "{used} used" : "Выкарыстана {used}", "Path" : "Шлях", "Upload file" : "Запампаваць файл", + "Deletion cancelled" : "Выдаленне скасавана", + "Move cancelled" : "Перамяшчэнне скасавана", + "New folder creation cancelled" : "Стварэнне новай папкі скасавана", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} папка","{folderCount} папкі","{folderCount} папак","{folderCount} папак"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} файл","{fileCount} файлы","{fileCount} файлаў","{fileCount} файлаў"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 файл і {folderCount} папка","1 файл і {folderCount} папкі","1 файл і {folderCount} папак","1 файл і {folderCount} папак"], diff --git a/apps/files/l10n/be.json b/apps/files/l10n/be.json index 574986cfa04..126530174fd 100644 --- a/apps/files/l10n/be.json +++ b/apps/files/l10n/be.json @@ -131,7 +131,6 @@ "Converting files …" : "Канвертацыя файлаў …", "Converting file …" : "Канвертацыя файла …", "File successfully converted" : "Файл паспяхова сканвертаваны", - "Deletion cancelled" : "Выдаленне скасавана", "Delete permanently" : "Выдаліць назаўжды", "Delete file" : "Выдаліць файл", "Delete files" : "Выдаліць файлы", @@ -148,7 +147,6 @@ "This file/folder is already in that directory" : "Гэты файл/папка ўжо знаходзіцца ў гэтым каталогу", "(copy)" : "(копія)", "(copy %n)" : "(копія %n)", - "Move cancelled" : "Перамяшчэнне скасавана", "A file or folder with that name already exists in this folder" : "Файл або папка з такой назвай ужо існуе ў гэтай папцы", "The files are locked" : "Файлы заблакіраваны", "The file does not exist anymore" : "Файл больш не існуе", @@ -175,7 +173,6 @@ "Audio" : "Аўдыя", "Photos and images" : "Фота і відарысы", "Videos" : "Відэа", - "New folder creation cancelled" : "Стварэнне новай папкі скасавана", "Created new folder \"{name}\"" : "Створана новая папка \"{name}\"", "Unable to initialize the templates directory" : "Немагчыма ініцыялізаваць каталог шаблонаў", "Create templates folder" : "Стварыць папку шаблонаў", @@ -238,6 +235,9 @@ "{used} used" : "Выкарыстана {used}", "Path" : "Шлях", "Upload file" : "Запампаваць файл", + "Deletion cancelled" : "Выдаленне скасавана", + "Move cancelled" : "Перамяшчэнне скасавана", + "New folder creation cancelled" : "Стварэнне новай папкі скасавана", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} папка","{folderCount} папкі","{folderCount} папак","{folderCount} папак"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} файл","{fileCount} файлы","{fileCount} файлаў","{fileCount} файлаў"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 файл і {folderCount} папка","1 файл і {folderCount} папкі","1 файл і {folderCount} папак","1 файл і {folderCount} папак"], diff --git a/apps/files/l10n/ca.js b/apps/files/l10n/ca.js index 399996efc61..ad2d6aab577 100644 --- a/apps/files/l10n/ca.js +++ b/apps/files/l10n/ca.js @@ -243,7 +243,6 @@ OC.L10N.register( "File successfully converted" : "El fitxer s'ha convertit correctament", "Failed to convert file: {message}" : "No s'ha pogut convertir el fitxer: {message}", "Failed to convert file" : "No s'ha pogut convertir el fitxer", - "Deletion cancelled" : "S'ha cancel·lat la supressió", "Leave this share" : "Abandona aquest element compartit", "Leave these shares" : "Abandona aquests elements compartits", "Disconnect storage" : "Desconnecta l'emmagatzematge", @@ -267,7 +266,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "No podeu moure un fitxer o carpeta a la mateixa carpeta o a una subcarpeta de la mateixa carpeta", "(copy)" : "(còpia)", "(copy %n)" : "(còpia %n)", - "Move cancelled" : "S'ha cancel·lat el desplaçament", "A file or folder with that name already exists in this folder" : "Ja existeix un fitxer o carpeta amb aquest nom en aquesta carpeta", "The files are locked" : "Els fitxers estan blocats", "The file does not exist anymore" : "El fitxer ja no existeix", @@ -278,8 +276,6 @@ OC.L10N.register( "Move" : "Mou", "Move or copy operation failed" : "Error en l'operació de desplaçament o còpia", "Move or copy" : "Mou o copia", - "Cancelled move or copy of \"{filename}\"." : "S'ha cancel·lat el moviment o la còpia de \"{filename}\".", - "Cancelled move or copy operation" : "S'ha cancel·lat l'operació de desplaçament o còpia", "Open folder {displayName}" : "Obre la carpeta {displayName}", "Open in Files" : "Obre a Fitxers", "Open locally" : "Obre en local", @@ -304,7 +300,6 @@ OC.L10N.register( "Audio" : "Àudio", "Photos and images" : "Fotografies i imatges", "Videos" : "Vídeos", - "New folder creation cancelled" : "S'ha cancel·lat la creació de carpetes noves", "Created new folder \"{name}\"" : "S'ha creat la carpeta nova «{name}»", "Unable to initialize the templates directory" : "No s'ha pogut inicialitzar la carpeta de plantilles", "Create templates folder" : "Crea una carpeta de plantilles", @@ -438,6 +433,11 @@ OC.L10N.register( "Enable the grid view" : "Habilita la visualització de quadrícula", "Use this address to access your Files via WebDAV" : "Utilitzeu aquesta adreça per a accedir als vostres fitxers mitjançant WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Si heu habilitat l'autenticació de doble factor, podeu crear i utilitzar una nova contrasenya d'aplicació fent clic aquí.", + "Deletion cancelled" : "S'ha cancel·lat la supressió", + "Move cancelled" : "S'ha cancel·lat el desplaçament", + "Cancelled move or copy of \"{filename}\"." : "S'ha cancel·lat el moviment o la còpia de \"{filename}\".", + "Cancelled move or copy operation" : "S'ha cancel·lat l'operació de desplaçament o còpia", + "New folder creation cancelled" : "S'ha cancel·lat la creació de carpetes noves", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} carpeta","{folderCount} carpetes"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} fitxer","{fileCount} fitxers"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 fitxer i {folderCount} carpeta","1 fitxer i {folderCount} carpetes"], diff --git a/apps/files/l10n/ca.json b/apps/files/l10n/ca.json index 2aaa496b884..6e2895d8d76 100644 --- a/apps/files/l10n/ca.json +++ b/apps/files/l10n/ca.json @@ -241,7 +241,6 @@ "File successfully converted" : "El fitxer s'ha convertit correctament", "Failed to convert file: {message}" : "No s'ha pogut convertir el fitxer: {message}", "Failed to convert file" : "No s'ha pogut convertir el fitxer", - "Deletion cancelled" : "S'ha cancel·lat la supressió", "Leave this share" : "Abandona aquest element compartit", "Leave these shares" : "Abandona aquests elements compartits", "Disconnect storage" : "Desconnecta l'emmagatzematge", @@ -265,7 +264,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "No podeu moure un fitxer o carpeta a la mateixa carpeta o a una subcarpeta de la mateixa carpeta", "(copy)" : "(còpia)", "(copy %n)" : "(còpia %n)", - "Move cancelled" : "S'ha cancel·lat el desplaçament", "A file or folder with that name already exists in this folder" : "Ja existeix un fitxer o carpeta amb aquest nom en aquesta carpeta", "The files are locked" : "Els fitxers estan blocats", "The file does not exist anymore" : "El fitxer ja no existeix", @@ -276,8 +274,6 @@ "Move" : "Mou", "Move or copy operation failed" : "Error en l'operació de desplaçament o còpia", "Move or copy" : "Mou o copia", - "Cancelled move or copy of \"{filename}\"." : "S'ha cancel·lat el moviment o la còpia de \"{filename}\".", - "Cancelled move or copy operation" : "S'ha cancel·lat l'operació de desplaçament o còpia", "Open folder {displayName}" : "Obre la carpeta {displayName}", "Open in Files" : "Obre a Fitxers", "Open locally" : "Obre en local", @@ -302,7 +298,6 @@ "Audio" : "Àudio", "Photos and images" : "Fotografies i imatges", "Videos" : "Vídeos", - "New folder creation cancelled" : "S'ha cancel·lat la creació de carpetes noves", "Created new folder \"{name}\"" : "S'ha creat la carpeta nova «{name}»", "Unable to initialize the templates directory" : "No s'ha pogut inicialitzar la carpeta de plantilles", "Create templates folder" : "Crea una carpeta de plantilles", @@ -436,6 +431,11 @@ "Enable the grid view" : "Habilita la visualització de quadrícula", "Use this address to access your Files via WebDAV" : "Utilitzeu aquesta adreça per a accedir als vostres fitxers mitjançant WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Si heu habilitat l'autenticació de doble factor, podeu crear i utilitzar una nova contrasenya d'aplicació fent clic aquí.", + "Deletion cancelled" : "S'ha cancel·lat la supressió", + "Move cancelled" : "S'ha cancel·lat el desplaçament", + "Cancelled move or copy of \"{filename}\"." : "S'ha cancel·lat el moviment o la còpia de \"{filename}\".", + "Cancelled move or copy operation" : "S'ha cancel·lat l'operació de desplaçament o còpia", + "New folder creation cancelled" : "S'ha cancel·lat la creació de carpetes noves", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} carpeta","{folderCount} carpetes"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} fitxer","{fileCount} fitxers"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 fitxer i {folderCount} carpeta","1 fitxer i {folderCount} carpetes"], diff --git a/apps/files/l10n/cs.js b/apps/files/l10n/cs.js index 1d41d9d28ce..f64cdee21b5 100644 --- a/apps/files/l10n/cs.js +++ b/apps/files/l10n/cs.js @@ -266,7 +266,6 @@ OC.L10N.register( "File successfully converted" : "Soubor úspěšně převeden", "Failed to convert file: {message}" : "Nepodařilo se převést soubor: {message}", "Failed to convert file" : "Nepodařilo se převést soubor", - "Deletion cancelled" : "Mazání zrušeno", "Leave this share" : "Opustit toto sdílení", "Leave these shares" : "Opustit tato sdílení", "Disconnect storage" : "Odpojit úložiště", @@ -290,7 +289,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "Není možné přesunout soubor/složku do sebe samé nebo do své vlastní podložky", "(copy)" : "(zkopírovat)", "(copy %n)" : "(zkopírovat %n)", - "Move cancelled" : "Přesunutí zrušeno", "A file or folder with that name already exists in this folder" : "V této složce už existuje stejnojmenný soubor či složka", "The files are locked" : "Soubory jsou zamknuty", "The file does not exist anymore" : "Soubor už neexistuje", @@ -301,8 +299,6 @@ OC.L10N.register( "Move" : "Přesunout", "Move or copy operation failed" : "Operace přesunu či zkopírování se nezdařila", "Move or copy" : "Přesunout nebo zkopírovat", - "Cancelled move or copy of \"{filename}\"." : "Přesunutí nebo zkopírování „{filename}“ zrušeno.", - "Cancelled move or copy operation" : "Operace přesunutí či zkopírování zrušena", "Open folder {displayName}" : "Otevřít složku {displayName}", "Open in Files" : "Otevřít v Souborech", "Open locally" : "Otevřít lokálně", @@ -327,7 +323,6 @@ OC.L10N.register( "Audio" : "Zvuk", "Photos and images" : "Fotky a obrázky", "Videos" : "Videa", - "New folder creation cancelled" : "Vytváření nové složky zrušeno", "Created new folder \"{name}\"" : "Vytvořena nová složka „{name}“", "Unable to initialize the templates directory" : "Nepodařilo se vytvořit složku pro šablony", "Create templates folder" : "Vytvořit složku pro šablony", @@ -464,6 +459,11 @@ OC.L10N.register( "Enable the grid view" : "Zapnout zobrazení v mřížce", "Use this address to access your Files via WebDAV" : "Tuto adresu použijte pro přístup k vašim souborům prostřednictvím protokolu WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Pokud jste zapnuli 2FA (dvoufaktorovou autentizaci), je třeba kliknutím sem vytvořit a použít nové heslo pro aplikaci.", + "Deletion cancelled" : "Mazání zrušeno", + "Move cancelled" : "Přesunutí zrušeno", + "Cancelled move or copy of \"{filename}\"." : "Přesunutí nebo zkopírování „{filename}“ zrušeno.", + "Cancelled move or copy operation" : "Operace přesunutí či zkopírování zrušena", + "New folder creation cancelled" : "Vytváření nové složky zrušeno", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} složka","{folderCount} složky","{folderCount} složek","{folderCount} složky"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} soubor","{fileCount} soubory","{fileCount} souborů","{fileCount} soubory"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 soubor a {folderCount} složka","1 soubor a {folderCount} složky","1 soubor a {folderCount} složek","1 soubor a {folderCount} složky"], diff --git a/apps/files/l10n/cs.json b/apps/files/l10n/cs.json index ddeb4dbf460..8b6fc863b96 100644 --- a/apps/files/l10n/cs.json +++ b/apps/files/l10n/cs.json @@ -264,7 +264,6 @@ "File successfully converted" : "Soubor úspěšně převeden", "Failed to convert file: {message}" : "Nepodařilo se převést soubor: {message}", "Failed to convert file" : "Nepodařilo se převést soubor", - "Deletion cancelled" : "Mazání zrušeno", "Leave this share" : "Opustit toto sdílení", "Leave these shares" : "Opustit tato sdílení", "Disconnect storage" : "Odpojit úložiště", @@ -288,7 +287,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "Není možné přesunout soubor/složku do sebe samé nebo do své vlastní podložky", "(copy)" : "(zkopírovat)", "(copy %n)" : "(zkopírovat %n)", - "Move cancelled" : "Přesunutí zrušeno", "A file or folder with that name already exists in this folder" : "V této složce už existuje stejnojmenný soubor či složka", "The files are locked" : "Soubory jsou zamknuty", "The file does not exist anymore" : "Soubor už neexistuje", @@ -299,8 +297,6 @@ "Move" : "Přesunout", "Move or copy operation failed" : "Operace přesunu či zkopírování se nezdařila", "Move or copy" : "Přesunout nebo zkopírovat", - "Cancelled move or copy of \"{filename}\"." : "Přesunutí nebo zkopírování „{filename}“ zrušeno.", - "Cancelled move or copy operation" : "Operace přesunutí či zkopírování zrušena", "Open folder {displayName}" : "Otevřít složku {displayName}", "Open in Files" : "Otevřít v Souborech", "Open locally" : "Otevřít lokálně", @@ -325,7 +321,6 @@ "Audio" : "Zvuk", "Photos and images" : "Fotky a obrázky", "Videos" : "Videa", - "New folder creation cancelled" : "Vytváření nové složky zrušeno", "Created new folder \"{name}\"" : "Vytvořena nová složka „{name}“", "Unable to initialize the templates directory" : "Nepodařilo se vytvořit složku pro šablony", "Create templates folder" : "Vytvořit složku pro šablony", @@ -462,6 +457,11 @@ "Enable the grid view" : "Zapnout zobrazení v mřížce", "Use this address to access your Files via WebDAV" : "Tuto adresu použijte pro přístup k vašim souborům prostřednictvím protokolu WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Pokud jste zapnuli 2FA (dvoufaktorovou autentizaci), je třeba kliknutím sem vytvořit a použít nové heslo pro aplikaci.", + "Deletion cancelled" : "Mazání zrušeno", + "Move cancelled" : "Přesunutí zrušeno", + "Cancelled move or copy of \"{filename}\"." : "Přesunutí nebo zkopírování „{filename}“ zrušeno.", + "Cancelled move or copy operation" : "Operace přesunutí či zkopírování zrušena", + "New folder creation cancelled" : "Vytváření nové složky zrušeno", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} složka","{folderCount} složky","{folderCount} složek","{folderCount} složky"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} soubor","{fileCount} soubory","{fileCount} souborů","{fileCount} soubory"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 soubor a {folderCount} složka","1 soubor a {folderCount} složky","1 soubor a {folderCount} složek","1 soubor a {folderCount} složky"], diff --git a/apps/files/l10n/da.js b/apps/files/l10n/da.js index 21c9537d7bc..35b37b64dd8 100644 --- a/apps/files/l10n/da.js +++ b/apps/files/l10n/da.js @@ -243,7 +243,6 @@ OC.L10N.register( "File successfully converted" : "Filen konverteret", "Failed to convert file: {message}" : "Kunne ikke konvertere fil: {message}", "Failed to convert file" : "Kunne ikke konvertere fil", - "Deletion cancelled" : "Sletning annulleret", "Leave this share" : "Forlad dette delte drev", "Leave these shares" : "Forlad disse delinger", "Disconnect storage" : "Frakobl lager", @@ -267,7 +266,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "Du kan ikke flytte en fil/mappe ind i sig selv, eller til en mappe inden i sig selv", "(copy)" : "(kopier)", "(copy %n)" : "(kopier %n)", - "Move cancelled" : "Flytning annulleret", "A file or folder with that name already exists in this folder" : "En fil eller mappe med det navn findes allerede i denne mappe", "The files are locked" : "Filerne er låste", "The file does not exist anymore" : "Filen findes ikke længere", @@ -278,8 +276,6 @@ OC.L10N.register( "Move" : "Flyt", "Move or copy operation failed" : "Flytte- eller kopioperationen fejlede", "Move or copy" : "Flyt eller kopier", - "Cancelled move or copy of \"{filename}\"." : "Annullerede flytning eller kopiering af \"{filename}\".", - "Cancelled move or copy operation" : "Flytning eller kopiering er annulleret", "Open folder {displayName}" : "Åben mappe {displayName}", "Open in Files" : "Åben i Filer", "Open locally" : "Åben lokalt", @@ -304,7 +300,6 @@ OC.L10N.register( "Audio" : "Lyd", "Photos and images" : "Fotos og billeder", "Videos" : "Videoer", - "New folder creation cancelled" : "Oprettelse af ny mappe annulleret", "Created new folder \"{name}\"" : "Oprettede ny mappe \"{name}\"", "Unable to initialize the templates directory" : "Kan ikke initialisere skabelonmappen", "Create templates folder" : "Opret skabelonmappe", @@ -438,6 +433,11 @@ OC.L10N.register( "Enable the grid view" : "Aktiver gittervisning", "Use this address to access your Files via WebDAV" : "Brug denne adresse til at få adgang til dine filer via WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Hvis du har aktiveret 2-faktor godkendelse, skal du oprette en app-token, ved at følge dette link.", + "Deletion cancelled" : "Sletning annulleret", + "Move cancelled" : "Flytning annulleret", + "Cancelled move or copy of \"{filename}\"." : "Annullerede flytning eller kopiering af \"{filename}\".", + "Cancelled move or copy operation" : "Flytning eller kopiering er annulleret", + "New folder creation cancelled" : "Oprettelse af ny mappe annulleret", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} mappe","{folderCount} mapper"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} fil","{fileCount} filer"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 fil og {folderCount} mapper","1 fil og {folderCount} mapper"], diff --git a/apps/files/l10n/da.json b/apps/files/l10n/da.json index edc6d3b6a73..1f4b692ab44 100644 --- a/apps/files/l10n/da.json +++ b/apps/files/l10n/da.json @@ -241,7 +241,6 @@ "File successfully converted" : "Filen konverteret", "Failed to convert file: {message}" : "Kunne ikke konvertere fil: {message}", "Failed to convert file" : "Kunne ikke konvertere fil", - "Deletion cancelled" : "Sletning annulleret", "Leave this share" : "Forlad dette delte drev", "Leave these shares" : "Forlad disse delinger", "Disconnect storage" : "Frakobl lager", @@ -265,7 +264,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "Du kan ikke flytte en fil/mappe ind i sig selv, eller til en mappe inden i sig selv", "(copy)" : "(kopier)", "(copy %n)" : "(kopier %n)", - "Move cancelled" : "Flytning annulleret", "A file or folder with that name already exists in this folder" : "En fil eller mappe med det navn findes allerede i denne mappe", "The files are locked" : "Filerne er låste", "The file does not exist anymore" : "Filen findes ikke længere", @@ -276,8 +274,6 @@ "Move" : "Flyt", "Move or copy operation failed" : "Flytte- eller kopioperationen fejlede", "Move or copy" : "Flyt eller kopier", - "Cancelled move or copy of \"{filename}\"." : "Annullerede flytning eller kopiering af \"{filename}\".", - "Cancelled move or copy operation" : "Flytning eller kopiering er annulleret", "Open folder {displayName}" : "Åben mappe {displayName}", "Open in Files" : "Åben i Filer", "Open locally" : "Åben lokalt", @@ -302,7 +298,6 @@ "Audio" : "Lyd", "Photos and images" : "Fotos og billeder", "Videos" : "Videoer", - "New folder creation cancelled" : "Oprettelse af ny mappe annulleret", "Created new folder \"{name}\"" : "Oprettede ny mappe \"{name}\"", "Unable to initialize the templates directory" : "Kan ikke initialisere skabelonmappen", "Create templates folder" : "Opret skabelonmappe", @@ -436,6 +431,11 @@ "Enable the grid view" : "Aktiver gittervisning", "Use this address to access your Files via WebDAV" : "Brug denne adresse til at få adgang til dine filer via WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Hvis du har aktiveret 2-faktor godkendelse, skal du oprette en app-token, ved at følge dette link.", + "Deletion cancelled" : "Sletning annulleret", + "Move cancelled" : "Flytning annulleret", + "Cancelled move or copy of \"{filename}\"." : "Annullerede flytning eller kopiering af \"{filename}\".", + "Cancelled move or copy operation" : "Flytning eller kopiering er annulleret", + "New folder creation cancelled" : "Oprettelse af ny mappe annulleret", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} mappe","{folderCount} mapper"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} fil","{fileCount} filer"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 fil og {folderCount} mapper","1 fil og {folderCount} mapper"], diff --git a/apps/files/l10n/de.js b/apps/files/l10n/de.js index f56761cfd63..61d88c6dae2 100644 --- a/apps/files/l10n/de.js +++ b/apps/files/l10n/de.js @@ -266,7 +266,6 @@ OC.L10N.register( "File successfully converted" : "Datei konvertiert", "Failed to convert file: {message}" : "Fehler beim Konvertieren der Datei: {message}", "Failed to convert file" : "Datei konnte nicht konvertiert werden", - "Deletion cancelled" : "Löschen abgebrochen", "Leave this share" : "Diese Freigabe verlassen", "Leave these shares" : "Diese Freigaben verlassen", "Disconnect storage" : "Speicher trennen", @@ -290,7 +289,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "Eine Datei oder ein Ordner kann nicht auf sich selbst oder in einen Unterordner von sich selbst verschoben werden.", "(copy)" : "(Kopie)", "(copy %n)" : "(Kopie %n)", - "Move cancelled" : "Verschieben abgebrochen", "A file or folder with that name already exists in this folder" : "In diesem Ordner ist bereits eine Datei oder ein Ordner mit diesem Namen vorhanden", "The files are locked" : "Die Dateien sind gesperrt", "The file does not exist anymore" : "Die Datei existiert nicht mehr", @@ -301,8 +299,6 @@ OC.L10N.register( "Move" : "Verschieben", "Move or copy operation failed" : "Verschiebe- oder Kopieroperation ist fehlgeschlagen.", "Move or copy" : "Verschieben oder kopieren", - "Cancelled move or copy of \"{filename}\"." : "Verschieben oder Kopieren von \"{filename}\" abgebrochen.", - "Cancelled move or copy operation" : "Verschieben oder Kopieren abgebrochen", "Open folder {displayName}" : "Ordner {displayName} öffnen", "Open in Files" : "In \"Dateien\" öffnen", "Open locally" : "Lokal öffnen", @@ -327,7 +323,6 @@ OC.L10N.register( "Audio" : "Audio", "Photos and images" : "Fotos und Bilder", "Videos" : "Videos", - "New folder creation cancelled" : "Erstellung des neuen Ordners abgebrochen", "Created new folder \"{name}\"" : "Neuer Ordner \"{name}\" wurde erstellt", "Unable to initialize the templates directory" : "Der Vorlagenordner konnte nicht initialisiert werden", "Create templates folder" : "Vorlagenordner erstellen", @@ -465,6 +460,11 @@ OC.L10N.register( "Enable the grid view" : "Kachelansicht aktivieren", "Use this address to access your Files via WebDAV" : "Diese Adresse benutzen, um über WebDAV auf deine Dateien zuzugreifen.", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Wenn du 2FA aktiviert hast, musst du ein neues App-Passwort erstellen und verwenden, indem du hier klickst.", + "Deletion cancelled" : "Löschen abgebrochen", + "Move cancelled" : "Verschieben abgebrochen", + "Cancelled move or copy of \"{filename}\"." : "Verschieben oder Kopieren von \"{filename}\" abgebrochen.", + "Cancelled move or copy operation" : "Verschieben oder Kopieren abgebrochen", + "New folder creation cancelled" : "Erstellung des neuen Ordners abgebrochen", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} Ordner","{folderCount} Ordner"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} Datei","{fileCount} Dateien"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 Datei und {folderCount} Ordner","1 Datei und {folderCount} Ordner"], diff --git a/apps/files/l10n/de.json b/apps/files/l10n/de.json index dae7eba49c0..5f996fa3a30 100644 --- a/apps/files/l10n/de.json +++ b/apps/files/l10n/de.json @@ -264,7 +264,6 @@ "File successfully converted" : "Datei konvertiert", "Failed to convert file: {message}" : "Fehler beim Konvertieren der Datei: {message}", "Failed to convert file" : "Datei konnte nicht konvertiert werden", - "Deletion cancelled" : "Löschen abgebrochen", "Leave this share" : "Diese Freigabe verlassen", "Leave these shares" : "Diese Freigaben verlassen", "Disconnect storage" : "Speicher trennen", @@ -288,7 +287,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "Eine Datei oder ein Ordner kann nicht auf sich selbst oder in einen Unterordner von sich selbst verschoben werden.", "(copy)" : "(Kopie)", "(copy %n)" : "(Kopie %n)", - "Move cancelled" : "Verschieben abgebrochen", "A file or folder with that name already exists in this folder" : "In diesem Ordner ist bereits eine Datei oder ein Ordner mit diesem Namen vorhanden", "The files are locked" : "Die Dateien sind gesperrt", "The file does not exist anymore" : "Die Datei existiert nicht mehr", @@ -299,8 +297,6 @@ "Move" : "Verschieben", "Move or copy operation failed" : "Verschiebe- oder Kopieroperation ist fehlgeschlagen.", "Move or copy" : "Verschieben oder kopieren", - "Cancelled move or copy of \"{filename}\"." : "Verschieben oder Kopieren von \"{filename}\" abgebrochen.", - "Cancelled move or copy operation" : "Verschieben oder Kopieren abgebrochen", "Open folder {displayName}" : "Ordner {displayName} öffnen", "Open in Files" : "In \"Dateien\" öffnen", "Open locally" : "Lokal öffnen", @@ -325,7 +321,6 @@ "Audio" : "Audio", "Photos and images" : "Fotos und Bilder", "Videos" : "Videos", - "New folder creation cancelled" : "Erstellung des neuen Ordners abgebrochen", "Created new folder \"{name}\"" : "Neuer Ordner \"{name}\" wurde erstellt", "Unable to initialize the templates directory" : "Der Vorlagenordner konnte nicht initialisiert werden", "Create templates folder" : "Vorlagenordner erstellen", @@ -463,6 +458,11 @@ "Enable the grid view" : "Kachelansicht aktivieren", "Use this address to access your Files via WebDAV" : "Diese Adresse benutzen, um über WebDAV auf deine Dateien zuzugreifen.", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Wenn du 2FA aktiviert hast, musst du ein neues App-Passwort erstellen und verwenden, indem du hier klickst.", + "Deletion cancelled" : "Löschen abgebrochen", + "Move cancelled" : "Verschieben abgebrochen", + "Cancelled move or copy of \"{filename}\"." : "Verschieben oder Kopieren von \"{filename}\" abgebrochen.", + "Cancelled move or copy operation" : "Verschieben oder Kopieren abgebrochen", + "New folder creation cancelled" : "Erstellung des neuen Ordners abgebrochen", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} Ordner","{folderCount} Ordner"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} Datei","{fileCount} Dateien"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 Datei und {folderCount} Ordner","1 Datei und {folderCount} Ordner"], diff --git a/apps/files/l10n/de_DE.js b/apps/files/l10n/de_DE.js index 6d4bd8a245b..06ff585cdbe 100644 --- a/apps/files/l10n/de_DE.js +++ b/apps/files/l10n/de_DE.js @@ -266,7 +266,6 @@ OC.L10N.register( "File successfully converted" : "Datei konvertiert", "Failed to convert file: {message}" : "Fehler beim Konvertieren der Datei: {message}", "Failed to convert file" : "Datei konnte nicht konvertiert werden", - "Deletion cancelled" : "Löschen abgebrochen", "Leave this share" : "Diese Freigabe verlassen", "Leave these shares" : "Diese Freigaben verlassen", "Disconnect storage" : "Speicher trennen", @@ -290,7 +289,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "Eine Datei oder ein Ordner kann nicht auf sich selbst oder in einen Unterordner von sich selbst verschoben werden", "(copy)" : "(Kopie)", "(copy %n)" : "(Kopie %n)", - "Move cancelled" : "Verschieben abgebrochen", "A file or folder with that name already exists in this folder" : "In diesem Ordner ist bereits eine Datei oder ein Ordner mit diesem Namen vorhanden", "The files are locked" : "Die Dateien sind gesperrt", "The file does not exist anymore" : "Diese Datei existiert nicht mehr", @@ -301,8 +299,6 @@ OC.L10N.register( "Move" : "Verschieben", "Move or copy operation failed" : "Verschiebe- oder Kopieroperation ist fehlgeschlagen.", "Move or copy" : "Verschieben oder kopieren", - "Cancelled move or copy of \"{filename}\"." : "Verschieben oder Kopieren von \"{filename}\" abgebrochen.", - "Cancelled move or copy operation" : "Verschieben oder kopieren abgebrochen", "Open folder {displayName}" : "Ordner {displayName} öffnen", "Open in Files" : "In Dateien öffnen", "Open locally" : "Lokal öffnen", @@ -327,7 +323,6 @@ OC.L10N.register( "Audio" : "Audio", "Photos and images" : "Fotos und Bilder", "Videos" : "Videos", - "New folder creation cancelled" : "Erstellung des neuen Ordners abgebrochen", "Created new folder \"{name}\"" : "Neuer Ordner \"{name}\" wurde erstellt", "Unable to initialize the templates directory" : "Der Vorlagenordner kann nicht initialisiert werden", "Create templates folder" : "Vorlagenordner erstellen", @@ -465,6 +460,11 @@ OC.L10N.register( "Enable the grid view" : "Kachelansicht aktivieren", "Use this address to access your Files via WebDAV" : "Benutzen Sie diese Adresse, um via WebDAV auf Ihre Dateien zuzugreifen.", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Wenn Sie 2FA aktiviert haben, müssen Sie ein neues App-Passwort erstellen und verwenden, indem Sie hier klicken.", + "Deletion cancelled" : "Löschen abgebrochen", + "Move cancelled" : "Verschieben abgebrochen", + "Cancelled move or copy of \"{filename}\"." : "Verschieben oder Kopieren von \"{filename}\" abgebrochen.", + "Cancelled move or copy operation" : "Verschieben oder kopieren abgebrochen", + "New folder creation cancelled" : "Erstellung des neuen Ordners abgebrochen", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} Ordner","{folderCount} Ordner"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} Datei","{fileCount} Dateien"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 Datei und {folderCount} Ordner","1 Datei und {folderCount} Ordner"], diff --git a/apps/files/l10n/de_DE.json b/apps/files/l10n/de_DE.json index b79bee65de7..5825d9ea6b9 100644 --- a/apps/files/l10n/de_DE.json +++ b/apps/files/l10n/de_DE.json @@ -264,7 +264,6 @@ "File successfully converted" : "Datei konvertiert", "Failed to convert file: {message}" : "Fehler beim Konvertieren der Datei: {message}", "Failed to convert file" : "Datei konnte nicht konvertiert werden", - "Deletion cancelled" : "Löschen abgebrochen", "Leave this share" : "Diese Freigabe verlassen", "Leave these shares" : "Diese Freigaben verlassen", "Disconnect storage" : "Speicher trennen", @@ -288,7 +287,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "Eine Datei oder ein Ordner kann nicht auf sich selbst oder in einen Unterordner von sich selbst verschoben werden", "(copy)" : "(Kopie)", "(copy %n)" : "(Kopie %n)", - "Move cancelled" : "Verschieben abgebrochen", "A file or folder with that name already exists in this folder" : "In diesem Ordner ist bereits eine Datei oder ein Ordner mit diesem Namen vorhanden", "The files are locked" : "Die Dateien sind gesperrt", "The file does not exist anymore" : "Diese Datei existiert nicht mehr", @@ -299,8 +297,6 @@ "Move" : "Verschieben", "Move or copy operation failed" : "Verschiebe- oder Kopieroperation ist fehlgeschlagen.", "Move or copy" : "Verschieben oder kopieren", - "Cancelled move or copy of \"{filename}\"." : "Verschieben oder Kopieren von \"{filename}\" abgebrochen.", - "Cancelled move or copy operation" : "Verschieben oder kopieren abgebrochen", "Open folder {displayName}" : "Ordner {displayName} öffnen", "Open in Files" : "In Dateien öffnen", "Open locally" : "Lokal öffnen", @@ -325,7 +321,6 @@ "Audio" : "Audio", "Photos and images" : "Fotos und Bilder", "Videos" : "Videos", - "New folder creation cancelled" : "Erstellung des neuen Ordners abgebrochen", "Created new folder \"{name}\"" : "Neuer Ordner \"{name}\" wurde erstellt", "Unable to initialize the templates directory" : "Der Vorlagenordner kann nicht initialisiert werden", "Create templates folder" : "Vorlagenordner erstellen", @@ -463,6 +458,11 @@ "Enable the grid view" : "Kachelansicht aktivieren", "Use this address to access your Files via WebDAV" : "Benutzen Sie diese Adresse, um via WebDAV auf Ihre Dateien zuzugreifen.", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Wenn Sie 2FA aktiviert haben, müssen Sie ein neues App-Passwort erstellen und verwenden, indem Sie hier klicken.", + "Deletion cancelled" : "Löschen abgebrochen", + "Move cancelled" : "Verschieben abgebrochen", + "Cancelled move or copy of \"{filename}\"." : "Verschieben oder Kopieren von \"{filename}\" abgebrochen.", + "Cancelled move or copy operation" : "Verschieben oder kopieren abgebrochen", + "New folder creation cancelled" : "Erstellung des neuen Ordners abgebrochen", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} Ordner","{folderCount} Ordner"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} Datei","{fileCount} Dateien"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 Datei und {folderCount} Ordner","1 Datei und {folderCount} Ordner"], diff --git a/apps/files/l10n/el.js b/apps/files/l10n/el.js index c5009fc79a6..5f411bec092 100644 --- a/apps/files/l10n/el.js +++ b/apps/files/l10n/el.js @@ -171,7 +171,6 @@ OC.L10N.register( "Pick a template for {name}" : "Επιλέξτε ένα πρότυπο για {name}", "Create a new file with the selected template" : "Δημιουργήστε ένα νέο αρχείο με το επιλεγμένο πρότυπο", "Creating file" : "Δημιουργία αρχείου", - "Deletion cancelled" : "Διαγραφή ακυρώθηκε", "Leave this share" : "Αποχώρηση από αυτό το κοινόχρηστο", "Leave these shares" : "Αποχώρηση από αυτά τα κοινόχρηστα", "Disconnect storage" : "Αποσύνδεση αποθηκευτικού χώρου", @@ -190,7 +189,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "Δεν μπορείτε να μετακινήσετε ένα αρχείο/φάκελο στον εαυτό του ή σε έναν υποφάκελο του ίδιου του φακέλου.", "(copy)" : "(αντιγραφή)", "(copy %n)" : "(αντιγραφή %n)", - "Move cancelled" : "Μετακίνηση ακυρώθηκε", "A file or folder with that name already exists in this folder" : "Ένα αρχείο ή ένας φάκελος με αυτό το όνομα υπάρχει ήδη σε αυτόν το φάκελο", "The files are locked" : "Το αρχεία είναι κλειδωμένα", "The file does not exist anymore" : "Το αρχείο δεν υπάρχει πλέον", @@ -201,7 +199,6 @@ OC.L10N.register( "Move" : "Μετακίνηση", "Move or copy operation failed" : "Η λειτουργία μετακίνησης ή αντιγραφής απέτυχε", "Move or copy" : "Μετακίνηση ή αντιγραφή", - "Cancelled move or copy operation" : "Ακυρώθηκε η λειτουργία μετακίνησης ή αντιγραφής", "Open folder {displayName}" : "Άνοιγμα φακέλου {displayName}", "Open in Files" : "Άνοιγμα στα Αρχεία", "Failed to redirect to client" : "Αποτυχία ανακατεύθυνσης στον πελάτη", @@ -339,6 +336,9 @@ OC.L10N.register( "Enable the grid view" : "Ενεργοποίηση της προβολής πλέγματος", "Use this address to access your Files via WebDAV" : "Χρήση αυτής της διεύθυνση για πρόσβαση στα Αρχεία σας μέσω WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Εάν έχετε ενεργοποιήσει το 2FA, πρέπει να δημιουργήσετε και να χρησιμοποιήσετε έναν νέο κωδικό πρόσβασης εφαρμογής κάνοντας κλικ εδώ.", + "Deletion cancelled" : "Διαγραφή ακυρώθηκε", + "Move cancelled" : "Μετακίνηση ακυρώθηκε", + "Cancelled move or copy operation" : "Ακυρώθηκε η λειτουργία μετακίνησης ή αντιγραφής", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} φάκελος","{folderCount} φακέλοι"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} αρχείο","{fileCount} αρχεία"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 αρχείο και {folderCount} φάκελος","1 αρχείο και {folderCount} φακέλοι"], diff --git a/apps/files/l10n/el.json b/apps/files/l10n/el.json index 0f3b86970ab..69b01424fa8 100644 --- a/apps/files/l10n/el.json +++ b/apps/files/l10n/el.json @@ -169,7 +169,6 @@ "Pick a template for {name}" : "Επιλέξτε ένα πρότυπο για {name}", "Create a new file with the selected template" : "Δημιουργήστε ένα νέο αρχείο με το επιλεγμένο πρότυπο", "Creating file" : "Δημιουργία αρχείου", - "Deletion cancelled" : "Διαγραφή ακυρώθηκε", "Leave this share" : "Αποχώρηση από αυτό το κοινόχρηστο", "Leave these shares" : "Αποχώρηση από αυτά τα κοινόχρηστα", "Disconnect storage" : "Αποσύνδεση αποθηκευτικού χώρου", @@ -188,7 +187,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "Δεν μπορείτε να μετακινήσετε ένα αρχείο/φάκελο στον εαυτό του ή σε έναν υποφάκελο του ίδιου του φακέλου.", "(copy)" : "(αντιγραφή)", "(copy %n)" : "(αντιγραφή %n)", - "Move cancelled" : "Μετακίνηση ακυρώθηκε", "A file or folder with that name already exists in this folder" : "Ένα αρχείο ή ένας φάκελος με αυτό το όνομα υπάρχει ήδη σε αυτόν το φάκελο", "The files are locked" : "Το αρχεία είναι κλειδωμένα", "The file does not exist anymore" : "Το αρχείο δεν υπάρχει πλέον", @@ -199,7 +197,6 @@ "Move" : "Μετακίνηση", "Move or copy operation failed" : "Η λειτουργία μετακίνησης ή αντιγραφής απέτυχε", "Move or copy" : "Μετακίνηση ή αντιγραφή", - "Cancelled move or copy operation" : "Ακυρώθηκε η λειτουργία μετακίνησης ή αντιγραφής", "Open folder {displayName}" : "Άνοιγμα φακέλου {displayName}", "Open in Files" : "Άνοιγμα στα Αρχεία", "Failed to redirect to client" : "Αποτυχία ανακατεύθυνσης στον πελάτη", @@ -337,6 +334,9 @@ "Enable the grid view" : "Ενεργοποίηση της προβολής πλέγματος", "Use this address to access your Files via WebDAV" : "Χρήση αυτής της διεύθυνση για πρόσβαση στα Αρχεία σας μέσω WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Εάν έχετε ενεργοποιήσει το 2FA, πρέπει να δημιουργήσετε και να χρησιμοποιήσετε έναν νέο κωδικό πρόσβασης εφαρμογής κάνοντας κλικ εδώ.", + "Deletion cancelled" : "Διαγραφή ακυρώθηκε", + "Move cancelled" : "Μετακίνηση ακυρώθηκε", + "Cancelled move or copy operation" : "Ακυρώθηκε η λειτουργία μετακίνησης ή αντιγραφής", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} φάκελος","{folderCount} φακέλοι"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} αρχείο","{fileCount} αρχεία"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 αρχείο και {folderCount} φάκελος","1 αρχείο και {folderCount} φακέλοι"], diff --git a/apps/files/l10n/en_GB.js b/apps/files/l10n/en_GB.js index c15ce6e37cb..732ed2b048d 100644 --- a/apps/files/l10n/en_GB.js +++ b/apps/files/l10n/en_GB.js @@ -266,7 +266,6 @@ OC.L10N.register( "File successfully converted" : "File successfully converted", "Failed to convert file: {message}" : "Failed to convert file: {message}", "Failed to convert file" : "Failed to convert file", - "Deletion cancelled" : "Deletion cancelled", "Leave this share" : "Leave this share", "Leave these shares" : "Leave these shares", "Disconnect storage" : "Disconnect storage", @@ -290,7 +289,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "You cannot move a file/folder onto itself or into a subfolder of itself", "(copy)" : "(copy)", "(copy %n)" : "(copy %n)", - "Move cancelled" : "Move cancelled", "A file or folder with that name already exists in this folder" : "A file or folder with that name already exists in this folder", "The files are locked" : "The files are locked", "The file does not exist anymore" : "The file does not exist anymore", @@ -301,8 +299,6 @@ OC.L10N.register( "Move" : "Move", "Move or copy operation failed" : "Move or copy operation failed", "Move or copy" : "Move or copy", - "Cancelled move or copy of \"{filename}\"." : "Cancelled move or copy of \"{filename}\".", - "Cancelled move or copy operation" : "Cancelled move or copy operation", "Open folder {displayName}" : "Open folder {displayName}", "Open in Files" : "Open in Files", "Open locally" : "Open locally", @@ -327,7 +323,6 @@ OC.L10N.register( "Audio" : "Audio", "Photos and images" : "Photos and images", "Videos" : "Videos", - "New folder creation cancelled" : "New folder creation cancelled", "Created new folder \"{name}\"" : "Created new folder \"{name}\"", "Unable to initialize the templates directory" : "Unable to initialize the templates directory", "Create templates folder" : "Create templates folder", @@ -465,6 +460,11 @@ OC.L10N.register( "Enable the grid view" : "Enable the grid view", "Use this address to access your Files via WebDAV" : "Use this address to access your Files via WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "If you have enabled 2FA, you must create and use a new app password by clicking here.", + "Deletion cancelled" : "Deletion cancelled", + "Move cancelled" : "Move cancelled", + "Cancelled move or copy of \"{filename}\"." : "Cancelled move or copy of \"{filename}\".", + "Cancelled move or copy operation" : "Cancelled move or copy operation", + "New folder creation cancelled" : "New folder creation cancelled", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} folder","{folderCount} folders"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} file","{fileCount} files"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 file and {folderCount} folder","1 file and {folderCount} folders"], diff --git a/apps/files/l10n/en_GB.json b/apps/files/l10n/en_GB.json index 4e63e55f90a..84fe92fd742 100644 --- a/apps/files/l10n/en_GB.json +++ b/apps/files/l10n/en_GB.json @@ -264,7 +264,6 @@ "File successfully converted" : "File successfully converted", "Failed to convert file: {message}" : "Failed to convert file: {message}", "Failed to convert file" : "Failed to convert file", - "Deletion cancelled" : "Deletion cancelled", "Leave this share" : "Leave this share", "Leave these shares" : "Leave these shares", "Disconnect storage" : "Disconnect storage", @@ -288,7 +287,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "You cannot move a file/folder onto itself or into a subfolder of itself", "(copy)" : "(copy)", "(copy %n)" : "(copy %n)", - "Move cancelled" : "Move cancelled", "A file or folder with that name already exists in this folder" : "A file or folder with that name already exists in this folder", "The files are locked" : "The files are locked", "The file does not exist anymore" : "The file does not exist anymore", @@ -299,8 +297,6 @@ "Move" : "Move", "Move or copy operation failed" : "Move or copy operation failed", "Move or copy" : "Move or copy", - "Cancelled move or copy of \"{filename}\"." : "Cancelled move or copy of \"{filename}\".", - "Cancelled move or copy operation" : "Cancelled move or copy operation", "Open folder {displayName}" : "Open folder {displayName}", "Open in Files" : "Open in Files", "Open locally" : "Open locally", @@ -325,7 +321,6 @@ "Audio" : "Audio", "Photos and images" : "Photos and images", "Videos" : "Videos", - "New folder creation cancelled" : "New folder creation cancelled", "Created new folder \"{name}\"" : "Created new folder \"{name}\"", "Unable to initialize the templates directory" : "Unable to initialize the templates directory", "Create templates folder" : "Create templates folder", @@ -463,6 +458,11 @@ "Enable the grid view" : "Enable the grid view", "Use this address to access your Files via WebDAV" : "Use this address to access your Files via WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "If you have enabled 2FA, you must create and use a new app password by clicking here.", + "Deletion cancelled" : "Deletion cancelled", + "Move cancelled" : "Move cancelled", + "Cancelled move or copy of \"{filename}\"." : "Cancelled move or copy of \"{filename}\".", + "Cancelled move or copy operation" : "Cancelled move or copy operation", + "New folder creation cancelled" : "New folder creation cancelled", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} folder","{folderCount} folders"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} file","{fileCount} files"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 file and {folderCount} folder","1 file and {folderCount} folders"], diff --git a/apps/files/l10n/es.js b/apps/files/l10n/es.js index 0d21bdef976..63ecb2ed482 100644 --- a/apps/files/l10n/es.js +++ b/apps/files/l10n/es.js @@ -266,7 +266,6 @@ OC.L10N.register( "File successfully converted" : "Archivo convertido exitosamente", "Failed to convert file: {message}" : "Fallo al convertir el archivo: {message}", "Failed to convert file" : "Fallo al convertir el archivo", - "Deletion cancelled" : "Eliminación cancelada", "Leave this share" : "Abandonar este recurso compartido", "Leave these shares" : "Abandonar estos recursos compartidos", "Disconnect storage" : "Desconectar almacenamiento", @@ -290,7 +289,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "No puede mover un archivo/carpeta a sí mismo o a una sub-carpeta de sí mismo", "(copy)" : "(copiar)", "(copy %n)" : "(copiar %n)", - "Move cancelled" : "Se canceló la movida", "A file or folder with that name already exists in this folder" : "Un archivo o carpeta con ese nombre ya existe en esta carpeta", "The files are locked" : "Los archivos están bloqueados", "The file does not exist anymore" : "El archivo ya no existe", @@ -301,8 +299,6 @@ OC.L10N.register( "Move" : "Mover", "Move or copy operation failed" : "La operación de mover o copiar falló", "Move or copy" : "Mover o copiar", - "Cancelled move or copy of \"{filename}\"." : "Se canceló la operación de mover o copiar de \"{filename}\".", - "Cancelled move or copy operation" : "Se canceló la operación de mover o copiar", "Open folder {displayName}" : "Abrir carpeta {displayName}", "Open in Files" : "Abrir en Archivos", "Open locally" : "Abrir localmente", @@ -327,7 +323,6 @@ OC.L10N.register( "Audio" : "Audio", "Photos and images" : "Fotos e imágenes", "Videos" : "Vídeos", - "New folder creation cancelled" : "Se canceló la creación de la carpeta nueva", "Created new folder \"{name}\"" : "Se ha creado la carpeta nueva \"{name}\"", "Unable to initialize the templates directory" : "No se ha podido iniciar la carpeta de plantillas", "Create templates folder" : "Crear carpeta de plantillas", @@ -465,6 +460,11 @@ OC.L10N.register( "Enable the grid view" : "Habilitar vista de cuadrícula", "Use this address to access your Files via WebDAV" : "Use esta dirección para acceder a tus archivos vía WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Si ha habilitado 2FA, debe crear y utilizar una nueva contraseña de aplicación haciendo clic aquí.", + "Deletion cancelled" : "Eliminación cancelada", + "Move cancelled" : "Se canceló la movida", + "Cancelled move or copy of \"{filename}\"." : "Se canceló la operación de mover o copiar de \"{filename}\".", + "Cancelled move or copy operation" : "Se canceló la operación de mover o copiar", + "New folder creation cancelled" : "Se canceló la creación de la carpeta nueva", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} carpeta","{folderCount} carpetas","{folderCount} carpetas"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} archivo","{fileCount} archivos","{fileCount} archivos"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 archivo y {folderCount} carpeta","1 archivo y {folderCount} carpetas","1 archivo y {folderCount} carpetas"], diff --git a/apps/files/l10n/es.json b/apps/files/l10n/es.json index 440e426013c..a2a644864f8 100644 --- a/apps/files/l10n/es.json +++ b/apps/files/l10n/es.json @@ -264,7 +264,6 @@ "File successfully converted" : "Archivo convertido exitosamente", "Failed to convert file: {message}" : "Fallo al convertir el archivo: {message}", "Failed to convert file" : "Fallo al convertir el archivo", - "Deletion cancelled" : "Eliminación cancelada", "Leave this share" : "Abandonar este recurso compartido", "Leave these shares" : "Abandonar estos recursos compartidos", "Disconnect storage" : "Desconectar almacenamiento", @@ -288,7 +287,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "No puede mover un archivo/carpeta a sí mismo o a una sub-carpeta de sí mismo", "(copy)" : "(copiar)", "(copy %n)" : "(copiar %n)", - "Move cancelled" : "Se canceló la movida", "A file or folder with that name already exists in this folder" : "Un archivo o carpeta con ese nombre ya existe en esta carpeta", "The files are locked" : "Los archivos están bloqueados", "The file does not exist anymore" : "El archivo ya no existe", @@ -299,8 +297,6 @@ "Move" : "Mover", "Move or copy operation failed" : "La operación de mover o copiar falló", "Move or copy" : "Mover o copiar", - "Cancelled move or copy of \"{filename}\"." : "Se canceló la operación de mover o copiar de \"{filename}\".", - "Cancelled move or copy operation" : "Se canceló la operación de mover o copiar", "Open folder {displayName}" : "Abrir carpeta {displayName}", "Open in Files" : "Abrir en Archivos", "Open locally" : "Abrir localmente", @@ -325,7 +321,6 @@ "Audio" : "Audio", "Photos and images" : "Fotos e imágenes", "Videos" : "Vídeos", - "New folder creation cancelled" : "Se canceló la creación de la carpeta nueva", "Created new folder \"{name}\"" : "Se ha creado la carpeta nueva \"{name}\"", "Unable to initialize the templates directory" : "No se ha podido iniciar la carpeta de plantillas", "Create templates folder" : "Crear carpeta de plantillas", @@ -463,6 +458,11 @@ "Enable the grid view" : "Habilitar vista de cuadrícula", "Use this address to access your Files via WebDAV" : "Use esta dirección para acceder a tus archivos vía WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Si ha habilitado 2FA, debe crear y utilizar una nueva contraseña de aplicación haciendo clic aquí.", + "Deletion cancelled" : "Eliminación cancelada", + "Move cancelled" : "Se canceló la movida", + "Cancelled move or copy of \"{filename}\"." : "Se canceló la operación de mover o copiar de \"{filename}\".", + "Cancelled move or copy operation" : "Se canceló la operación de mover o copiar", + "New folder creation cancelled" : "Se canceló la creación de la carpeta nueva", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} carpeta","{folderCount} carpetas","{folderCount} carpetas"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} archivo","{fileCount} archivos","{fileCount} archivos"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 archivo y {folderCount} carpeta","1 archivo y {folderCount} carpetas","1 archivo y {folderCount} carpetas"], diff --git a/apps/files/l10n/es_MX.js b/apps/files/l10n/es_MX.js index aed43af2bfb..c7548715b13 100644 --- a/apps/files/l10n/es_MX.js +++ b/apps/files/l10n/es_MX.js @@ -191,7 +191,6 @@ OC.L10N.register( "Pick a template for {name}" : "Elija una plantilla para {name}", "Create a new file with the selected template" : "Crear un nuevo archivo con la plantilla seleccionada", "Creating file" : "Creando el archivo", - "Deletion cancelled" : "Eliminación cancelada", "Leave this share" : "Dejar este recurso compartido", "Leave these shares" : "Dejar estos recursos compartidos", "Disconnect storage" : "Desconectar almacenamiento", @@ -215,7 +214,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "No puede mover un archivo/carpeta a sí mismo o a una subcarpeta de sí mismo", "(copy)" : "(copiar)", "(copy %n)" : "(copiar %n)", - "Move cancelled" : "Movimiento cancelado", "A file or folder with that name already exists in this folder" : "Un archivo o carpeta con ese nombre ya existe en esta carpeta", "The files are locked" : "Los archivos están bloqueados", "The file does not exist anymore" : "El archivo ya no existe", @@ -226,8 +224,6 @@ OC.L10N.register( "Move" : "Mover", "Move or copy operation failed" : "La operación de mover o copiar falló", "Move or copy" : "Mover o copiar", - "Cancelled move or copy of \"{filename}\"." : "Se canceló la operación de mover o copiar de \"{filename}\".", - "Cancelled move or copy operation" : "Se canceló la operación de mover o copiar", "Open folder {displayName}" : "Abrir carpeta {displayName}", "Open in Files" : "Abrir en Archivos", "Failed to redirect to client" : "Fallo al redirigir al cliente", @@ -249,7 +245,6 @@ OC.L10N.register( "Audio" : "Audio", "Photos and images" : "Fotos e imágenes", "Videos" : "Videos", - "New folder creation cancelled" : "Creación de nueva carpeta cancelada", "Created new folder \"{name}\"" : "Nueva carpeta \"{name}\" creada", "Unable to initialize the templates directory" : "No se ha podido iniciar la carpeta de plantillas", "Create templates folder" : "Crear la carpeta de plantillas", @@ -383,6 +378,11 @@ OC.L10N.register( "Enable the grid view" : "Habilitar la vista de cuadrícula", "Use this address to access your Files via WebDAV" : "Use esta dirección para acceder a tus archivos vía WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Si ha habilitado 2FA, debe crear y utilizar una nueva contraseña de aplicación haciendo clic aquí.", + "Deletion cancelled" : "Eliminación cancelada", + "Move cancelled" : "Movimiento cancelado", + "Cancelled move or copy of \"{filename}\"." : "Se canceló la operación de mover o copiar de \"{filename}\".", + "Cancelled move or copy operation" : "Se canceló la operación de mover o copiar", + "New folder creation cancelled" : "Creación de nueva carpeta cancelada", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} carpeta","{folderCount} carpetas","{folderCount} carpetas"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} archivo","{fileCount} archivos","{fileCount} archivos"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 archivo y {folderCount} carpeta","1 archivo y {folderCount} carpetas","1 archivo y {folderCount} carpetas"], diff --git a/apps/files/l10n/es_MX.json b/apps/files/l10n/es_MX.json index dfcfd098653..7a530d9d2b9 100644 --- a/apps/files/l10n/es_MX.json +++ b/apps/files/l10n/es_MX.json @@ -189,7 +189,6 @@ "Pick a template for {name}" : "Elija una plantilla para {name}", "Create a new file with the selected template" : "Crear un nuevo archivo con la plantilla seleccionada", "Creating file" : "Creando el archivo", - "Deletion cancelled" : "Eliminación cancelada", "Leave this share" : "Dejar este recurso compartido", "Leave these shares" : "Dejar estos recursos compartidos", "Disconnect storage" : "Desconectar almacenamiento", @@ -213,7 +212,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "No puede mover un archivo/carpeta a sí mismo o a una subcarpeta de sí mismo", "(copy)" : "(copiar)", "(copy %n)" : "(copiar %n)", - "Move cancelled" : "Movimiento cancelado", "A file or folder with that name already exists in this folder" : "Un archivo o carpeta con ese nombre ya existe en esta carpeta", "The files are locked" : "Los archivos están bloqueados", "The file does not exist anymore" : "El archivo ya no existe", @@ -224,8 +222,6 @@ "Move" : "Mover", "Move or copy operation failed" : "La operación de mover o copiar falló", "Move or copy" : "Mover o copiar", - "Cancelled move or copy of \"{filename}\"." : "Se canceló la operación de mover o copiar de \"{filename}\".", - "Cancelled move or copy operation" : "Se canceló la operación de mover o copiar", "Open folder {displayName}" : "Abrir carpeta {displayName}", "Open in Files" : "Abrir en Archivos", "Failed to redirect to client" : "Fallo al redirigir al cliente", @@ -247,7 +243,6 @@ "Audio" : "Audio", "Photos and images" : "Fotos e imágenes", "Videos" : "Videos", - "New folder creation cancelled" : "Creación de nueva carpeta cancelada", "Created new folder \"{name}\"" : "Nueva carpeta \"{name}\" creada", "Unable to initialize the templates directory" : "No se ha podido iniciar la carpeta de plantillas", "Create templates folder" : "Crear la carpeta de plantillas", @@ -381,6 +376,11 @@ "Enable the grid view" : "Habilitar la vista de cuadrícula", "Use this address to access your Files via WebDAV" : "Use esta dirección para acceder a tus archivos vía WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Si ha habilitado 2FA, debe crear y utilizar una nueva contraseña de aplicación haciendo clic aquí.", + "Deletion cancelled" : "Eliminación cancelada", + "Move cancelled" : "Movimiento cancelado", + "Cancelled move or copy of \"{filename}\"." : "Se canceló la operación de mover o copiar de \"{filename}\".", + "Cancelled move or copy operation" : "Se canceló la operación de mover o copiar", + "New folder creation cancelled" : "Creación de nueva carpeta cancelada", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} carpeta","{folderCount} carpetas","{folderCount} carpetas"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} archivo","{fileCount} archivos","{fileCount} archivos"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 archivo y {folderCount} carpeta","1 archivo y {folderCount} carpetas","1 archivo y {folderCount} carpetas"], diff --git a/apps/files/l10n/et_EE.js b/apps/files/l10n/et_EE.js index 468585be827..92405ec932c 100644 --- a/apps/files/l10n/et_EE.js +++ b/apps/files/l10n/et_EE.js @@ -266,7 +266,6 @@ OC.L10N.register( "File successfully converted" : "Faili teisendamine õnnestus", "Failed to convert file: {message}" : "Faili teisendamine ei õnnestunud: {message}", "Failed to convert file" : "Faili teisendamine ei õnnestunud", - "Deletion cancelled" : "Kustutamine on tühistatud", "Leave this share" : "Lahku jaoskaustast", "Leave these shares" : "Lahku neist jaoskaustadest", "Disconnect storage" : "Ühenda andmeruum lahti", @@ -290,7 +289,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "Sa ei saa faili või kausta iseendaks teisaldada ega teisaldada kausta iseenda alamkausta", "(copy)" : "(koopia)", "(copy %n)" : "(%n koopia)", - "Move cancelled" : "Teisaldamine on katkestatud", "A file or folder with that name already exists in this folder" : "Selles kaustas juba on olemas sama nimega fail või kaust", "The files are locked" : "Need failid on lukustatud", "The file does not exist anymore" : "Neid faile pole enam olemas", @@ -301,8 +299,6 @@ OC.L10N.register( "Move" : "Teisalda", "Move or copy operation failed" : "Teisaldamine või kopeerimine ei õnnestunud", "Move or copy" : "Liiguta või kopeeri", - "Cancelled move or copy of \"{filename}\"." : "„{filename}“ faili teisaldamine või kopeerimine on katkestatud.", - "Cancelled move or copy operation" : "Teisaldamine või kopeerimine on katkestatud", "Open folder {displayName}" : "Ava kaust {displayName}", "Open in Files" : "Ava failirakenduses", "Open locally" : "Ava kohalikust andmeruumist", @@ -327,7 +323,6 @@ OC.L10N.register( "Audio" : "Helifailid", "Photos and images" : "Fotod ja pildid", "Videos" : "Videod", - "New folder creation cancelled" : "Uue kausta loomine on katkestatud", "Created new folder \"{name}\"" : "Uus „{name}“ kaust on loodud", "Unable to initialize the templates directory" : "Mallide kausta loomine ebaõnnestus", "Create templates folder" : "Loo mallide kaust", @@ -465,6 +460,11 @@ OC.L10N.register( "Enable the grid view" : "Võta kasutusele ruudustikuvaade", "Use this address to access your Files via WebDAV" : "Oma failidele WebDAV-i kaudu ligipääsemiseks kasuta seda aadressi", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Kui sa oled kaheastmelise autentimise kasutusele võtnud, siis pead looma ja kasutama rakenduse uut salasõna klikates siia.", + "Deletion cancelled" : "Kustutamine on tühistatud", + "Move cancelled" : "Teisaldamine on katkestatud", + "Cancelled move or copy of \"{filename}\"." : "„{filename}“ faili teisaldamine või kopeerimine on katkestatud.", + "Cancelled move or copy operation" : "Teisaldamine või kopeerimine on katkestatud", + "New folder creation cancelled" : "Uue kausta loomine on katkestatud", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} kaust","{folderCount} kausta"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} fail","{fileCount} faili"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 fail ja {folderCount} kaust","1 fail ja {folderCount} kausta"], diff --git a/apps/files/l10n/et_EE.json b/apps/files/l10n/et_EE.json index 269ca142327..cd0bdade459 100644 --- a/apps/files/l10n/et_EE.json +++ b/apps/files/l10n/et_EE.json @@ -264,7 +264,6 @@ "File successfully converted" : "Faili teisendamine õnnestus", "Failed to convert file: {message}" : "Faili teisendamine ei õnnestunud: {message}", "Failed to convert file" : "Faili teisendamine ei õnnestunud", - "Deletion cancelled" : "Kustutamine on tühistatud", "Leave this share" : "Lahku jaoskaustast", "Leave these shares" : "Lahku neist jaoskaustadest", "Disconnect storage" : "Ühenda andmeruum lahti", @@ -288,7 +287,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "Sa ei saa faili või kausta iseendaks teisaldada ega teisaldada kausta iseenda alamkausta", "(copy)" : "(koopia)", "(copy %n)" : "(%n koopia)", - "Move cancelled" : "Teisaldamine on katkestatud", "A file or folder with that name already exists in this folder" : "Selles kaustas juba on olemas sama nimega fail või kaust", "The files are locked" : "Need failid on lukustatud", "The file does not exist anymore" : "Neid faile pole enam olemas", @@ -299,8 +297,6 @@ "Move" : "Teisalda", "Move or copy operation failed" : "Teisaldamine või kopeerimine ei õnnestunud", "Move or copy" : "Liiguta või kopeeri", - "Cancelled move or copy of \"{filename}\"." : "„{filename}“ faili teisaldamine või kopeerimine on katkestatud.", - "Cancelled move or copy operation" : "Teisaldamine või kopeerimine on katkestatud", "Open folder {displayName}" : "Ava kaust {displayName}", "Open in Files" : "Ava failirakenduses", "Open locally" : "Ava kohalikust andmeruumist", @@ -325,7 +321,6 @@ "Audio" : "Helifailid", "Photos and images" : "Fotod ja pildid", "Videos" : "Videod", - "New folder creation cancelled" : "Uue kausta loomine on katkestatud", "Created new folder \"{name}\"" : "Uus „{name}“ kaust on loodud", "Unable to initialize the templates directory" : "Mallide kausta loomine ebaõnnestus", "Create templates folder" : "Loo mallide kaust", @@ -463,6 +458,11 @@ "Enable the grid view" : "Võta kasutusele ruudustikuvaade", "Use this address to access your Files via WebDAV" : "Oma failidele WebDAV-i kaudu ligipääsemiseks kasuta seda aadressi", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Kui sa oled kaheastmelise autentimise kasutusele võtnud, siis pead looma ja kasutama rakenduse uut salasõna klikates siia.", + "Deletion cancelled" : "Kustutamine on tühistatud", + "Move cancelled" : "Teisaldamine on katkestatud", + "Cancelled move or copy of \"{filename}\"." : "„{filename}“ faili teisaldamine või kopeerimine on katkestatud.", + "Cancelled move or copy operation" : "Teisaldamine või kopeerimine on katkestatud", + "New folder creation cancelled" : "Uue kausta loomine on katkestatud", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} kaust","{folderCount} kausta"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} fail","{fileCount} faili"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 fail ja {folderCount} kaust","1 fail ja {folderCount} kausta"], diff --git a/apps/files/l10n/eu.js b/apps/files/l10n/eu.js index bed4647b6a8..0ff900f1eec 100644 --- a/apps/files/l10n/eu.js +++ b/apps/files/l10n/eu.js @@ -216,7 +216,6 @@ OC.L10N.register( "Pick a template for {name}" : "Hautatu {name}(r)entzako txantiloia", "Create a new file with the selected template" : "Sortu fitxategi berria hautatutako txantiloiarekin", "Creating file" : "Fitxategia sortzen", - "Deletion cancelled" : "Ezabatzea bertan behera utzi da", "Leave this share" : "Utzi partekatze hau", "Leave these shares" : "Utzi partekatze hauek", "Disconnect storage" : "Deskonektatu biltegia", @@ -240,7 +239,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "Ezin duzu fitxategi/karpeta bat berera edo bere azpikarpeta batera mugitu", "(copy)" : "(kopiatu)", "(copy %n)" : "(kopiatu %n)", - "Move cancelled" : "Mugimendua bertan behera utzi da", "A file or folder with that name already exists in this folder" : "Izen hori duen fitxategi edo karpeta bat dago karpena honetan", "The files are locked" : "Fitxategiak blokeatuta daude", "The file does not exist anymore" : "Fitxategia ez da existizen dagoeneko", @@ -251,8 +249,6 @@ OC.L10N.register( "Move" : "Mugitu", "Move or copy operation failed" : "Mugitzeko edo kopiatzeko eragiketak huts egin du", "Move or copy" : "Mugitu edo kopiatu", - "Cancelled move or copy of \"{filename}\"." : "\"{filename}\" -ren mugimendua edo kopia bertan behera utzi da.", - "Cancelled move or copy operation" : "Mugitze edo kopiatze operazioa utzi da", "Open folder {displayName}" : "Ireki {displayName} karpeta", "Open in Files" : "Ireki Fitxategiak aplikazioan", "Open locally" : "Ireki lokalean", @@ -276,7 +272,6 @@ OC.L10N.register( "Audio" : "Audio", "Photos and images" : "Argazkiak eta irudiak", "Videos" : "Bideoak", - "New folder creation cancelled" : "Karpeta berrien sorrera bertan behera utzi da", "Created new folder \"{name}\"" : "\"{name}\" karpeta berria sortu da", "Unable to initialize the templates directory" : "Ezin da txantiloien direktorioa hasieratu", "Create templates folder" : "Sortu txantiloien karpeta", @@ -410,6 +405,11 @@ OC.L10N.register( "Enable the grid view" : "Gaitu sareta ikuspegira", "Use this address to access your Files via WebDAV" : "Erabili helbide hau WebDAV bidez zure fitxategietara sartzeko", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "2FA gaitu baduzu, aplikazioaren pasahitz berria sortu eta erabili behar duzu hemen klik eginez.", + "Deletion cancelled" : "Ezabatzea bertan behera utzi da", + "Move cancelled" : "Mugimendua bertan behera utzi da", + "Cancelled move or copy of \"{filename}\"." : "\"{filename}\" -ren mugimendua edo kopia bertan behera utzi da.", + "Cancelled move or copy operation" : "Mugitze edo kopiatze operazioa utzi da", + "New folder creation cancelled" : "Karpeta berrien sorrera bertan behera utzi da", "_{folderCount} folder_::_{folderCount} folders_" : ["Karpeta {folderCount}","{folderCount} karpeta"], "_{fileCount} file_::_{fileCount} files_" : ["Fitxategi {fileCount}","{fileCount} fitxategi"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["Fitxategi 1 eta karpeta {folderCount}","Fitxategi 1 eta {folderCount} karpeta"], diff --git a/apps/files/l10n/eu.json b/apps/files/l10n/eu.json index b8c6e24e337..2b347bae3a9 100644 --- a/apps/files/l10n/eu.json +++ b/apps/files/l10n/eu.json @@ -214,7 +214,6 @@ "Pick a template for {name}" : "Hautatu {name}(r)entzako txantiloia", "Create a new file with the selected template" : "Sortu fitxategi berria hautatutako txantiloiarekin", "Creating file" : "Fitxategia sortzen", - "Deletion cancelled" : "Ezabatzea bertan behera utzi da", "Leave this share" : "Utzi partekatze hau", "Leave these shares" : "Utzi partekatze hauek", "Disconnect storage" : "Deskonektatu biltegia", @@ -238,7 +237,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "Ezin duzu fitxategi/karpeta bat berera edo bere azpikarpeta batera mugitu", "(copy)" : "(kopiatu)", "(copy %n)" : "(kopiatu %n)", - "Move cancelled" : "Mugimendua bertan behera utzi da", "A file or folder with that name already exists in this folder" : "Izen hori duen fitxategi edo karpeta bat dago karpena honetan", "The files are locked" : "Fitxategiak blokeatuta daude", "The file does not exist anymore" : "Fitxategia ez da existizen dagoeneko", @@ -249,8 +247,6 @@ "Move" : "Mugitu", "Move or copy operation failed" : "Mugitzeko edo kopiatzeko eragiketak huts egin du", "Move or copy" : "Mugitu edo kopiatu", - "Cancelled move or copy of \"{filename}\"." : "\"{filename}\" -ren mugimendua edo kopia bertan behera utzi da.", - "Cancelled move or copy operation" : "Mugitze edo kopiatze operazioa utzi da", "Open folder {displayName}" : "Ireki {displayName} karpeta", "Open in Files" : "Ireki Fitxategiak aplikazioan", "Open locally" : "Ireki lokalean", @@ -274,7 +270,6 @@ "Audio" : "Audio", "Photos and images" : "Argazkiak eta irudiak", "Videos" : "Bideoak", - "New folder creation cancelled" : "Karpeta berrien sorrera bertan behera utzi da", "Created new folder \"{name}\"" : "\"{name}\" karpeta berria sortu da", "Unable to initialize the templates directory" : "Ezin da txantiloien direktorioa hasieratu", "Create templates folder" : "Sortu txantiloien karpeta", @@ -408,6 +403,11 @@ "Enable the grid view" : "Gaitu sareta ikuspegira", "Use this address to access your Files via WebDAV" : "Erabili helbide hau WebDAV bidez zure fitxategietara sartzeko", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "2FA gaitu baduzu, aplikazioaren pasahitz berria sortu eta erabili behar duzu hemen klik eginez.", + "Deletion cancelled" : "Ezabatzea bertan behera utzi da", + "Move cancelled" : "Mugimendua bertan behera utzi da", + "Cancelled move or copy of \"{filename}\"." : "\"{filename}\" -ren mugimendua edo kopia bertan behera utzi da.", + "Cancelled move or copy operation" : "Mugitze edo kopiatze operazioa utzi da", + "New folder creation cancelled" : "Karpeta berrien sorrera bertan behera utzi da", "_{folderCount} folder_::_{folderCount} folders_" : ["Karpeta {folderCount}","{folderCount} karpeta"], "_{fileCount} file_::_{fileCount} files_" : ["Fitxategi {fileCount}","{fileCount} fitxategi"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["Fitxategi 1 eta karpeta {folderCount}","Fitxategi 1 eta {folderCount} karpeta"], diff --git a/apps/files/l10n/fa.js b/apps/files/l10n/fa.js index b9bdbdd8108..675a5b377de 100644 --- a/apps/files/l10n/fa.js +++ b/apps/files/l10n/fa.js @@ -251,7 +251,6 @@ OC.L10N.register( "File successfully converted" : "File successfully converted", "Failed to convert file: {message}" : "Failed to convert file: {message}", "Failed to convert file" : "Failed to convert file", - "Deletion cancelled" : "Deletion cancelled", "Leave this share" : "ترک این اشتراک", "Leave these shares" : "Leave these shares", "Disconnect storage" : "فضای ذخیره را جدا کنید", @@ -273,7 +272,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "You cannot move a file/folder onto itself or into a subfolder of itself", "(copy)" : "(copy)", "(copy %n)" : "(copy %n)", - "Move cancelled" : "Move cancelled", "A file or folder with that name already exists in this folder" : "A file or folder with that name already exists in this folder", "The files are locked" : "The files are locked", "The file does not exist anymore" : "The file does not exist anymore", @@ -284,8 +282,6 @@ OC.L10N.register( "Move" : "انتقال", "Move or copy operation failed" : "Move or copy operation failed", "Move or copy" : "انتقال یا رونوشت", - "Cancelled move or copy of \"{filename}\"." : "Cancelled move or copy of \"{filename}\".", - "Cancelled move or copy operation" : "Cancelled move or copy operation", "Open folder {displayName}" : "باز کردن پوشه {displayName}", "Open in Files" : "در فایل باز کنید", "Open locally" : "گشودن محلی", @@ -310,7 +306,6 @@ OC.L10N.register( "Audio" : "صدا", "Photos and images" : "Photos and images", "Videos" : "فیلم ها ", - "New folder creation cancelled" : "New folder creation cancelled", "Created new folder \"{name}\"" : "Created new folder \"{name}\"", "Unable to initialize the templates directory" : "راه اندازی دایرکتوری الگوها ممکن نیست", "Create templates folder" : "Create templates folder", @@ -445,6 +440,11 @@ OC.L10N.register( "Enable the grid view" : "Enable the grid view", "Use this address to access your Files via WebDAV" : "از این آدرس برای دسترسی به فایل های خود از طریق WebDAV استفاده کنید", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "اگر 2FA را فعال کرده اید، باید با کلیک کردن در اینجا یک رمز عبور برنامه جدید ایجاد و استفاده کنید.", + "Deletion cancelled" : "Deletion cancelled", + "Move cancelled" : "Move cancelled", + "Cancelled move or copy of \"{filename}\"." : "Cancelled move or copy of \"{filename}\".", + "Cancelled move or copy operation" : "Cancelled move or copy operation", + "New folder creation cancelled" : "New folder creation cancelled", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} پوشه","{folderCount} پوشه"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} پرونده","{fileCount} پرونده"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 file and {folderCount} folder","1 file and {folderCount} folders"], diff --git a/apps/files/l10n/fa.json b/apps/files/l10n/fa.json index 020ba5797da..e713bd4e8c6 100644 --- a/apps/files/l10n/fa.json +++ b/apps/files/l10n/fa.json @@ -249,7 +249,6 @@ "File successfully converted" : "File successfully converted", "Failed to convert file: {message}" : "Failed to convert file: {message}", "Failed to convert file" : "Failed to convert file", - "Deletion cancelled" : "Deletion cancelled", "Leave this share" : "ترک این اشتراک", "Leave these shares" : "Leave these shares", "Disconnect storage" : "فضای ذخیره را جدا کنید", @@ -271,7 +270,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "You cannot move a file/folder onto itself or into a subfolder of itself", "(copy)" : "(copy)", "(copy %n)" : "(copy %n)", - "Move cancelled" : "Move cancelled", "A file or folder with that name already exists in this folder" : "A file or folder with that name already exists in this folder", "The files are locked" : "The files are locked", "The file does not exist anymore" : "The file does not exist anymore", @@ -282,8 +280,6 @@ "Move" : "انتقال", "Move or copy operation failed" : "Move or copy operation failed", "Move or copy" : "انتقال یا رونوشت", - "Cancelled move or copy of \"{filename}\"." : "Cancelled move or copy of \"{filename}\".", - "Cancelled move or copy operation" : "Cancelled move or copy operation", "Open folder {displayName}" : "باز کردن پوشه {displayName}", "Open in Files" : "در فایل باز کنید", "Open locally" : "گشودن محلی", @@ -308,7 +304,6 @@ "Audio" : "صدا", "Photos and images" : "Photos and images", "Videos" : "فیلم ها ", - "New folder creation cancelled" : "New folder creation cancelled", "Created new folder \"{name}\"" : "Created new folder \"{name}\"", "Unable to initialize the templates directory" : "راه اندازی دایرکتوری الگوها ممکن نیست", "Create templates folder" : "Create templates folder", @@ -443,6 +438,11 @@ "Enable the grid view" : "Enable the grid view", "Use this address to access your Files via WebDAV" : "از این آدرس برای دسترسی به فایل های خود از طریق WebDAV استفاده کنید", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "اگر 2FA را فعال کرده اید، باید با کلیک کردن در اینجا یک رمز عبور برنامه جدید ایجاد و استفاده کنید.", + "Deletion cancelled" : "Deletion cancelled", + "Move cancelled" : "Move cancelled", + "Cancelled move or copy of \"{filename}\"." : "Cancelled move or copy of \"{filename}\".", + "Cancelled move or copy operation" : "Cancelled move or copy operation", + "New folder creation cancelled" : "New folder creation cancelled", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} پوشه","{folderCount} پوشه"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} پرونده","{fileCount} پرونده"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 file and {folderCount} folder","1 file and {folderCount} folders"], diff --git a/apps/files/l10n/fi.js b/apps/files/l10n/fi.js index f8843f2e7f5..3ab54c0791b 100644 --- a/apps/files/l10n/fi.js +++ b/apps/files/l10n/fi.js @@ -218,7 +218,6 @@ OC.L10N.register( "File successfully converted" : "Tiedosto muunnettu onnistuneesti", "Failed to convert file: {message}" : "Tiedoston muuntaminen epäonnistui: {message}", "Failed to convert file" : "Tiedoston muuntaminen epäonnistui", - "Deletion cancelled" : "Poistaminen peruttu", "Leave this share" : "Poistu tästä jaosta", "Disconnect storage" : "Katkaise yhteys tallennustilaan", "Disconnect storages" : "Katkaise yhteys tallennustiloihin", @@ -239,7 +238,6 @@ OC.L10N.register( "Destination is not a folder" : "Kohde ei ole kansio", "This file/folder is already in that directory" : "Tämä tiedosto/kansio on jo kyseisessä kansiossa", "(copy)" : "(kopioi)", - "Move cancelled" : "Siirtäminen peruttu", "A file or folder with that name already exists in this folder" : "Tiedosto tai kansio tällä nimellä on jo olemassa tässä kansiossa", "The files are locked" : "Tiedostot on lukittu", "The file does not exist anymore" : "Tiedostoa ei ole enää olemassa", @@ -250,7 +248,6 @@ OC.L10N.register( "Move" : "Siirrä", "Move or copy operation failed" : "Siirto- tai kopiointitoiminto epäonnistui", "Move or copy" : "Siirrä tai kopioi", - "Cancelled move or copy operation" : "Siirto- tai kopiointitoiminto peruttu", "Open folder {displayName}" : "Avaa kansio {displayName}", "Open in Files" : "Avaa tiedostosovelluksessa", "Open locally" : "Avaa paikallisesti", @@ -273,7 +270,6 @@ OC.L10N.register( "Audio" : "Ääni", "Photos and images" : "Valokuvat ja kuvat", "Videos" : "Videot", - "New folder creation cancelled" : "Kansion luominen peruttu", "Created new folder \"{name}\"" : "Luotu uusi kansio \"{name}\"", "Unable to initialize the templates directory" : "Mallipohjien kansiota ei voitu alustaa", "Create templates folder" : "Luo mallipohjien kansio", @@ -403,6 +399,10 @@ OC.L10N.register( "Enable the grid view" : "Käytä ruudukkonäkymää", "Use this address to access your Files via WebDAV" : "Käytä tätä osoitetta yhdistääksesi tiedostosi WebDAV:in kautta", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Jos sinulla on kaksivaiheinen todennus käytössä, sinun täytyy luoda uusi sovellussalasana ja käyttää sitä napsauttamalla tästä.", + "Deletion cancelled" : "Poistaminen peruttu", + "Move cancelled" : "Siirtäminen peruttu", + "Cancelled move or copy operation" : "Siirto- tai kopiointitoiminto peruttu", + "New folder creation cancelled" : "Kansion luominen peruttu", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} kansio","{folderCount} kansiota"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} tiedosto","{fileCount} tiedostoa"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 tiedosto ja {folderCount} kansio","1 tiedosto ja {folderCount} kansiota"], diff --git a/apps/files/l10n/fi.json b/apps/files/l10n/fi.json index f78821ec478..e717b105e3f 100644 --- a/apps/files/l10n/fi.json +++ b/apps/files/l10n/fi.json @@ -216,7 +216,6 @@ "File successfully converted" : "Tiedosto muunnettu onnistuneesti", "Failed to convert file: {message}" : "Tiedoston muuntaminen epäonnistui: {message}", "Failed to convert file" : "Tiedoston muuntaminen epäonnistui", - "Deletion cancelled" : "Poistaminen peruttu", "Leave this share" : "Poistu tästä jaosta", "Disconnect storage" : "Katkaise yhteys tallennustilaan", "Disconnect storages" : "Katkaise yhteys tallennustiloihin", @@ -237,7 +236,6 @@ "Destination is not a folder" : "Kohde ei ole kansio", "This file/folder is already in that directory" : "Tämä tiedosto/kansio on jo kyseisessä kansiossa", "(copy)" : "(kopioi)", - "Move cancelled" : "Siirtäminen peruttu", "A file or folder with that name already exists in this folder" : "Tiedosto tai kansio tällä nimellä on jo olemassa tässä kansiossa", "The files are locked" : "Tiedostot on lukittu", "The file does not exist anymore" : "Tiedostoa ei ole enää olemassa", @@ -248,7 +246,6 @@ "Move" : "Siirrä", "Move or copy operation failed" : "Siirto- tai kopiointitoiminto epäonnistui", "Move or copy" : "Siirrä tai kopioi", - "Cancelled move or copy operation" : "Siirto- tai kopiointitoiminto peruttu", "Open folder {displayName}" : "Avaa kansio {displayName}", "Open in Files" : "Avaa tiedostosovelluksessa", "Open locally" : "Avaa paikallisesti", @@ -271,7 +268,6 @@ "Audio" : "Ääni", "Photos and images" : "Valokuvat ja kuvat", "Videos" : "Videot", - "New folder creation cancelled" : "Kansion luominen peruttu", "Created new folder \"{name}\"" : "Luotu uusi kansio \"{name}\"", "Unable to initialize the templates directory" : "Mallipohjien kansiota ei voitu alustaa", "Create templates folder" : "Luo mallipohjien kansio", @@ -401,6 +397,10 @@ "Enable the grid view" : "Käytä ruudukkonäkymää", "Use this address to access your Files via WebDAV" : "Käytä tätä osoitetta yhdistääksesi tiedostosi WebDAV:in kautta", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Jos sinulla on kaksivaiheinen todennus käytössä, sinun täytyy luoda uusi sovellussalasana ja käyttää sitä napsauttamalla tästä.", + "Deletion cancelled" : "Poistaminen peruttu", + "Move cancelled" : "Siirtäminen peruttu", + "Cancelled move or copy operation" : "Siirto- tai kopiointitoiminto peruttu", + "New folder creation cancelled" : "Kansion luominen peruttu", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} kansio","{folderCount} kansiota"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} tiedosto","{fileCount} tiedostoa"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 tiedosto ja {folderCount} kansio","1 tiedosto ja {folderCount} kansiota"], diff --git a/apps/files/l10n/fr.js b/apps/files/l10n/fr.js index 730c2fd7040..a3a1aad8d67 100644 --- a/apps/files/l10n/fr.js +++ b/apps/files/l10n/fr.js @@ -257,7 +257,6 @@ OC.L10N.register( "File successfully converted" : "Fichier converti avec succès", "Failed to convert file: {message}" : "Impossible de convertir le fichier : {message}", "Failed to convert file" : "Impossible de convertir le fichier", - "Deletion cancelled" : "Suppression annulée", "Leave this share" : "Quitter ce partage", "Leave these shares" : "Quitter ces partages", "Disconnect storage" : "Déconnecter ce support de stockage", @@ -281,7 +280,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "Vous ne pouvez pas déplacer un fichier/dossier sur lui-même ou dans un sous-dossier de celui-ci", "(copy)" : "(copie)", "(copy %n)" : "(copier %n)", - "Move cancelled" : "Déplacement annulé", "A file or folder with that name already exists in this folder" : "Un fichier ou un dossier portant ce nom existe déjà dans ce dossier", "The files are locked" : "Les fichiers sont verrouillés", "The file does not exist anymore" : "Le fichier n'existe plus", @@ -292,8 +290,6 @@ OC.L10N.register( "Move" : "Déplacer", "Move or copy operation failed" : "L'opération de copie ou de déplacement a échoué", "Move or copy" : "Déplacer ou copier", - "Cancelled move or copy of \"{filename}\"." : "Déplacement ou copie de \"{filename}\" annulé.", - "Cancelled move or copy operation" : "Opération de déplacement ou de copie annulée", "Open folder {displayName}" : "Ouvrir le dossier {displayName}", "Open in Files" : "Ouvrir dans Fichiers", "Open locally" : "Ouvrir localement", @@ -318,7 +314,6 @@ OC.L10N.register( "Audio" : "Audio", "Photos and images" : "Photos et images", "Videos" : "Vidéos", - "New folder creation cancelled" : "La création du nouveau dossier est annulée", "Created new folder \"{name}\"" : "Nouveau dossier \"{name}\" créé", "Unable to initialize the templates directory" : "Impossible d'initialiser le dossier des modèles", "Create templates folder" : "Créer le dossier des modèles", @@ -454,6 +449,11 @@ OC.L10N.register( "Enable the grid view" : "Activer la vue en grille", "Use this address to access your Files via WebDAV" : "Utilisez cette adresse pour accéder à vos fichiers via WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Si vous avez activé le 2FA, vous devez créer et utiliser un nouveau mot de passe d'application en cliquant ici.", + "Deletion cancelled" : "Suppression annulée", + "Move cancelled" : "Déplacement annulé", + "Cancelled move or copy of \"{filename}\"." : "Déplacement ou copie de \"{filename}\" annulé.", + "Cancelled move or copy operation" : "Opération de déplacement ou de copie annulée", + "New folder creation cancelled" : "La création du nouveau dossier est annulée", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} dossier","{folderCount} dossiers","{folderCount} dossiers"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} fichier","{fileCount} fichiers","{fileCount} fichiers"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 fichier et {folderCount} dossier","1 fichier et {folderCount} dossiers","1 fichier et {folderCount} dossiers"], diff --git a/apps/files/l10n/fr.json b/apps/files/l10n/fr.json index 6e13b6f0153..49747d7cfd5 100644 --- a/apps/files/l10n/fr.json +++ b/apps/files/l10n/fr.json @@ -255,7 +255,6 @@ "File successfully converted" : "Fichier converti avec succès", "Failed to convert file: {message}" : "Impossible de convertir le fichier : {message}", "Failed to convert file" : "Impossible de convertir le fichier", - "Deletion cancelled" : "Suppression annulée", "Leave this share" : "Quitter ce partage", "Leave these shares" : "Quitter ces partages", "Disconnect storage" : "Déconnecter ce support de stockage", @@ -279,7 +278,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "Vous ne pouvez pas déplacer un fichier/dossier sur lui-même ou dans un sous-dossier de celui-ci", "(copy)" : "(copie)", "(copy %n)" : "(copier %n)", - "Move cancelled" : "Déplacement annulé", "A file or folder with that name already exists in this folder" : "Un fichier ou un dossier portant ce nom existe déjà dans ce dossier", "The files are locked" : "Les fichiers sont verrouillés", "The file does not exist anymore" : "Le fichier n'existe plus", @@ -290,8 +288,6 @@ "Move" : "Déplacer", "Move or copy operation failed" : "L'opération de copie ou de déplacement a échoué", "Move or copy" : "Déplacer ou copier", - "Cancelled move or copy of \"{filename}\"." : "Déplacement ou copie de \"{filename}\" annulé.", - "Cancelled move or copy operation" : "Opération de déplacement ou de copie annulée", "Open folder {displayName}" : "Ouvrir le dossier {displayName}", "Open in Files" : "Ouvrir dans Fichiers", "Open locally" : "Ouvrir localement", @@ -316,7 +312,6 @@ "Audio" : "Audio", "Photos and images" : "Photos et images", "Videos" : "Vidéos", - "New folder creation cancelled" : "La création du nouveau dossier est annulée", "Created new folder \"{name}\"" : "Nouveau dossier \"{name}\" créé", "Unable to initialize the templates directory" : "Impossible d'initialiser le dossier des modèles", "Create templates folder" : "Créer le dossier des modèles", @@ -452,6 +447,11 @@ "Enable the grid view" : "Activer la vue en grille", "Use this address to access your Files via WebDAV" : "Utilisez cette adresse pour accéder à vos fichiers via WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Si vous avez activé le 2FA, vous devez créer et utiliser un nouveau mot de passe d'application en cliquant ici.", + "Deletion cancelled" : "Suppression annulée", + "Move cancelled" : "Déplacement annulé", + "Cancelled move or copy of \"{filename}\"." : "Déplacement ou copie de \"{filename}\" annulé.", + "Cancelled move or copy operation" : "Opération de déplacement ou de copie annulée", + "New folder creation cancelled" : "La création du nouveau dossier est annulée", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} dossier","{folderCount} dossiers","{folderCount} dossiers"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} fichier","{fileCount} fichiers","{fileCount} fichiers"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 fichier et {folderCount} dossier","1 fichier et {folderCount} dossiers","1 fichier et {folderCount} dossiers"], diff --git a/apps/files/l10n/ga.js b/apps/files/l10n/ga.js index 82bb33b20ef..49681b42b19 100644 --- a/apps/files/l10n/ga.js +++ b/apps/files/l10n/ga.js @@ -266,7 +266,6 @@ OC.L10N.register( "File successfully converted" : "D'éirigh leis an gcomhad a thiontú", "Failed to convert file: {message}" : "Theip ar an gcomhad a thiontú: {message}", "Failed to convert file" : "Theip ar thiontú an chomhaid", - "Deletion cancelled" : "Scriosadh cealaithe", "Leave this share" : "Fág an sciar seo", "Leave these shares" : "Fág na scaireanna seo", "Disconnect storage" : "Déan stóráil a dhícheangal", @@ -290,7 +289,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "Ní féidir leat comhad/fillteán a bhogadh isteach ann féin nó isteach i bhfofhillteán de féin", "(copy)" : "(cóip)", "(copy %n)" : "(cóip %n)", - "Move cancelled" : "Bogadh ar ceal", "A file or folder with that name already exists in this folder" : "Tá comhad nó fillteán leis an ainm sin san fhillteán seo cheana", "The files are locked" : "Tá na comhaid faoi ghlas", "The file does not exist anymore" : "Níl an comhad ann a thuilleadh", @@ -301,8 +299,6 @@ OC.L10N.register( "Move" : "Bog", "Move or copy operation failed" : "Theip ar an oibríocht a bhogadh nó a chóipeáil", "Move or copy" : "Bog nó cóipeáil", - "Cancelled move or copy of \"{filename}\"." : "Cealaíodh bogadh nó cóip de \"{filename}\".", - "Cancelled move or copy operation" : "Oibríocht aistrithe nó cóipeála curtha ar ceal", "Open folder {displayName}" : "Oscail fillteán {displayName}", "Open in Files" : "Oscail i Comhaid", "Open locally" : "Oscail go háitiúil", @@ -327,7 +323,6 @@ OC.L10N.register( "Audio" : "Fuaime", "Photos and images" : "Grianghraif agus íomhánna", "Videos" : "Físeáin", - "New folder creation cancelled" : "Cruthú fillteán nua curtha ar ceal", "Created new folder \"{name}\"" : "Cruthaíodh fillteán nua \"{name}\"", "Unable to initialize the templates directory" : "Ní féidir eolaire na dteimpléad a thúsú", "Create templates folder" : "Cruthaigh fillteán teimpléid", @@ -465,6 +460,11 @@ OC.L10N.register( "Enable the grid view" : "Cumasaigh an radharc greille", "Use this address to access your Files via WebDAV" : "Úsáid an seoladh seo chun do Chomhaid a rochtain trí WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Má tá 2FA cumasaithe agat, ní mór duit pasfhocal aip nua a chruthú agus a úsáid trí chliceáil anseo.", + "Deletion cancelled" : "Scriosadh cealaithe", + "Move cancelled" : "Bogadh ar ceal", + "Cancelled move or copy of \"{filename}\"." : "Cealaíodh bogadh nó cóip de \"{filename}\".", + "Cancelled move or copy operation" : "Oibríocht aistrithe nó cóipeála curtha ar ceal", + "New folder creation cancelled" : "Cruthú fillteán nua curtha ar ceal", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} fillteán","{folderCount} fillteáin","{folderCount} fillteáin","{folderCount} fillteáin","{folderCount} fillteáin"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} comhad","{fileCount} comhaid","{fileCount} comhaid","{fileCount} comhaid","{fileCount} comhaid"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 chomhad agus {folderCount} fillteán","1 chomhad agus {folderCount} fillteáin","1 chomhad agus {folderCount} fillteáin","1 chomhad agus {folderCount} fillteáin","1 chomhad agus {folderCount} fillteáin"], diff --git a/apps/files/l10n/ga.json b/apps/files/l10n/ga.json index ca318d2ab22..7535ebc205b 100644 --- a/apps/files/l10n/ga.json +++ b/apps/files/l10n/ga.json @@ -264,7 +264,6 @@ "File successfully converted" : "D'éirigh leis an gcomhad a thiontú", "Failed to convert file: {message}" : "Theip ar an gcomhad a thiontú: {message}", "Failed to convert file" : "Theip ar thiontú an chomhaid", - "Deletion cancelled" : "Scriosadh cealaithe", "Leave this share" : "Fág an sciar seo", "Leave these shares" : "Fág na scaireanna seo", "Disconnect storage" : "Déan stóráil a dhícheangal", @@ -288,7 +287,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "Ní féidir leat comhad/fillteán a bhogadh isteach ann féin nó isteach i bhfofhillteán de féin", "(copy)" : "(cóip)", "(copy %n)" : "(cóip %n)", - "Move cancelled" : "Bogadh ar ceal", "A file or folder with that name already exists in this folder" : "Tá comhad nó fillteán leis an ainm sin san fhillteán seo cheana", "The files are locked" : "Tá na comhaid faoi ghlas", "The file does not exist anymore" : "Níl an comhad ann a thuilleadh", @@ -299,8 +297,6 @@ "Move" : "Bog", "Move or copy operation failed" : "Theip ar an oibríocht a bhogadh nó a chóipeáil", "Move or copy" : "Bog nó cóipeáil", - "Cancelled move or copy of \"{filename}\"." : "Cealaíodh bogadh nó cóip de \"{filename}\".", - "Cancelled move or copy operation" : "Oibríocht aistrithe nó cóipeála curtha ar ceal", "Open folder {displayName}" : "Oscail fillteán {displayName}", "Open in Files" : "Oscail i Comhaid", "Open locally" : "Oscail go háitiúil", @@ -325,7 +321,6 @@ "Audio" : "Fuaime", "Photos and images" : "Grianghraif agus íomhánna", "Videos" : "Físeáin", - "New folder creation cancelled" : "Cruthú fillteán nua curtha ar ceal", "Created new folder \"{name}\"" : "Cruthaíodh fillteán nua \"{name}\"", "Unable to initialize the templates directory" : "Ní féidir eolaire na dteimpléad a thúsú", "Create templates folder" : "Cruthaigh fillteán teimpléid", @@ -463,6 +458,11 @@ "Enable the grid view" : "Cumasaigh an radharc greille", "Use this address to access your Files via WebDAV" : "Úsáid an seoladh seo chun do Chomhaid a rochtain trí WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Má tá 2FA cumasaithe agat, ní mór duit pasfhocal aip nua a chruthú agus a úsáid trí chliceáil anseo.", + "Deletion cancelled" : "Scriosadh cealaithe", + "Move cancelled" : "Bogadh ar ceal", + "Cancelled move or copy of \"{filename}\"." : "Cealaíodh bogadh nó cóip de \"{filename}\".", + "Cancelled move or copy operation" : "Oibríocht aistrithe nó cóipeála curtha ar ceal", + "New folder creation cancelled" : "Cruthú fillteán nua curtha ar ceal", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} fillteán","{folderCount} fillteáin","{folderCount} fillteáin","{folderCount} fillteáin","{folderCount} fillteáin"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} comhad","{fileCount} comhaid","{fileCount} comhaid","{fileCount} comhaid","{fileCount} comhaid"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 chomhad agus {folderCount} fillteán","1 chomhad agus {folderCount} fillteáin","1 chomhad agus {folderCount} fillteáin","1 chomhad agus {folderCount} fillteáin","1 chomhad agus {folderCount} fillteáin"], diff --git a/apps/files/l10n/gl.js b/apps/files/l10n/gl.js index 0ea51f11370..7982cb47273 100644 --- a/apps/files/l10n/gl.js +++ b/apps/files/l10n/gl.js @@ -242,7 +242,6 @@ OC.L10N.register( "File successfully converted" : "O ficheiro foi convertido correctamente", "Failed to convert file: {message}" : "Produciuse un fallo ao converter o ficheiro: {message}", "Failed to convert file" : "Produciuse un fallo ao converter o ficheiro", - "Deletion cancelled" : "Foi cancelada a eliminación", "Leave this share" : "Deixar esta compartición", "Leave these shares" : "Deixar estas comparticións", "Disconnect storage" : "Desconectar o almacenamento", @@ -266,7 +265,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "Non é posíbel mover un ficheiro/cartafol sobre si mesmo ou a un subcartafol de si mesmo", "(copy)" : "(copiar)", "(copy %n)" : "(copiar %n)", - "Move cancelled" : "Cancelouse o movemento", "A file or folder with that name already exists in this folder" : "Neste cartafol xa existe un ficheiro ou cartafol con ese nome", "The files are locked" : "Os ficheiros están bloqueados", "The file does not exist anymore" : "O ficheiro xa non existe", @@ -277,8 +275,6 @@ OC.L10N.register( "Move" : "Mover", "Move or copy operation failed" : "Produciuse un erro na operación de copia ou de movemento", "Move or copy" : "Mover ou copiar", - "Cancelled move or copy of \"{filename}\"." : "Foi cancelado o movemento ou copia de «{filename}»", - "Cancelled move or copy operation" : "Foi cancelada a operación de movemento ou copia", "Open folder {displayName}" : "Abrir o cartafol {displayName}", "Open in Files" : "Abrir en Ficheiros", "Open locally" : "Abrir localmente", @@ -303,7 +299,6 @@ OC.L10N.register( "Audio" : "Son", "Photos and images" : "Fotos e imaxes", "Videos" : "Vídeos", - "New folder creation cancelled" : "Cancelouse a creación dun novo cartafol", "Created new folder \"{name}\"" : "Creouse un novo cartafol «{name}»", "Unable to initialize the templates directory" : "Non é posíbel iniciar o directorio de modelos", "Create templates folder" : "Crear o cartafol de modelos", @@ -437,6 +432,11 @@ OC.L10N.register( "Enable the grid view" : "Activar á vista de grade", "Use this address to access your Files via WebDAV" : "Empregue este enderezo para acceder ao seu Ficheiros mediante WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Se activou 2FA, cree e utilice un novo contrasinal de aplicación premendo aquí.", + "Deletion cancelled" : "Foi cancelada a eliminación", + "Move cancelled" : "Cancelouse o movemento", + "Cancelled move or copy of \"{filename}\"." : "Foi cancelado o movemento ou copia de «{filename}»", + "Cancelled move or copy operation" : "Foi cancelada a operación de movemento ou copia", + "New folder creation cancelled" : "Cancelouse a creación dun novo cartafol", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} cartafol","{folderCount} cartafoles"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} ficheiro","{fileCount} ficheiros"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 ficheiro e {folderCount} cartafol","1 ficheiro e {folderCount} cartafoles"], diff --git a/apps/files/l10n/gl.json b/apps/files/l10n/gl.json index cc048cc2145..e57c8bbe43e 100644 --- a/apps/files/l10n/gl.json +++ b/apps/files/l10n/gl.json @@ -240,7 +240,6 @@ "File successfully converted" : "O ficheiro foi convertido correctamente", "Failed to convert file: {message}" : "Produciuse un fallo ao converter o ficheiro: {message}", "Failed to convert file" : "Produciuse un fallo ao converter o ficheiro", - "Deletion cancelled" : "Foi cancelada a eliminación", "Leave this share" : "Deixar esta compartición", "Leave these shares" : "Deixar estas comparticións", "Disconnect storage" : "Desconectar o almacenamento", @@ -264,7 +263,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "Non é posíbel mover un ficheiro/cartafol sobre si mesmo ou a un subcartafol de si mesmo", "(copy)" : "(copiar)", "(copy %n)" : "(copiar %n)", - "Move cancelled" : "Cancelouse o movemento", "A file or folder with that name already exists in this folder" : "Neste cartafol xa existe un ficheiro ou cartafol con ese nome", "The files are locked" : "Os ficheiros están bloqueados", "The file does not exist anymore" : "O ficheiro xa non existe", @@ -275,8 +273,6 @@ "Move" : "Mover", "Move or copy operation failed" : "Produciuse un erro na operación de copia ou de movemento", "Move or copy" : "Mover ou copiar", - "Cancelled move or copy of \"{filename}\"." : "Foi cancelado o movemento ou copia de «{filename}»", - "Cancelled move or copy operation" : "Foi cancelada a operación de movemento ou copia", "Open folder {displayName}" : "Abrir o cartafol {displayName}", "Open in Files" : "Abrir en Ficheiros", "Open locally" : "Abrir localmente", @@ -301,7 +297,6 @@ "Audio" : "Son", "Photos and images" : "Fotos e imaxes", "Videos" : "Vídeos", - "New folder creation cancelled" : "Cancelouse a creación dun novo cartafol", "Created new folder \"{name}\"" : "Creouse un novo cartafol «{name}»", "Unable to initialize the templates directory" : "Non é posíbel iniciar o directorio de modelos", "Create templates folder" : "Crear o cartafol de modelos", @@ -435,6 +430,11 @@ "Enable the grid view" : "Activar á vista de grade", "Use this address to access your Files via WebDAV" : "Empregue este enderezo para acceder ao seu Ficheiros mediante WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Se activou 2FA, cree e utilice un novo contrasinal de aplicación premendo aquí.", + "Deletion cancelled" : "Foi cancelada a eliminación", + "Move cancelled" : "Cancelouse o movemento", + "Cancelled move or copy of \"{filename}\"." : "Foi cancelado o movemento ou copia de «{filename}»", + "Cancelled move or copy operation" : "Foi cancelada a operación de movemento ou copia", + "New folder creation cancelled" : "Cancelouse a creación dun novo cartafol", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} cartafol","{folderCount} cartafoles"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} ficheiro","{fileCount} ficheiros"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 ficheiro e {folderCount} cartafol","1 ficheiro e {folderCount} cartafoles"], diff --git a/apps/files/l10n/hu.js b/apps/files/l10n/hu.js index 145d4060b98..1309c1853ef 100644 --- a/apps/files/l10n/hu.js +++ b/apps/files/l10n/hu.js @@ -253,7 +253,6 @@ OC.L10N.register( "File successfully converted" : "Fájl sikeresen átalakítva", "Failed to convert file: {message}" : "A fájl átalakítása sikertelen: {message}", "Failed to convert file" : "A fájl átalakítása sikertelen", - "Deletion cancelled" : "Törlés megszakítva", "Leave this share" : "Megosztás elhagyása", "Leave these shares" : "Megosztások elhagyása", "Disconnect storage" : "Tároló leválasztása", @@ -277,7 +276,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "A fájl/mappa önmagába, vagy saját almappájába áthelyezése nem lehetséges", "(copy)" : "(másolat)", "(copy %n)" : "(%n. másolat)", - "Move cancelled" : "Áthelyezés megszakítva", "A file or folder with that name already exists in this folder" : "Már létezik ilyen nevű fájl vagy mappa ebben a mappában", "The files are locked" : "A fájlok zárolva vannak", "The file does not exist anymore" : "Ez a fájl már nem létezik", @@ -288,8 +286,6 @@ OC.L10N.register( "Move" : "Áthelyezés", "Move or copy operation failed" : "Az áthelyezés vagy a másolás művelet sikertelen", "Move or copy" : "Áthelyezés vagy másolás", - "Cancelled move or copy of \"{filename}\"." : "„{filename}” áthelyezése vagy másolása megszakítva", - "Cancelled move or copy operation" : "Az áthelyezés vagy másolás művelet megszakítva", "Open folder {displayName}" : "A(z) {displayName} mappa megnyitása", "Open in Files" : "Megnyitás a Fájlokban", "Open locally" : "Megnyitás helyben", @@ -314,7 +310,6 @@ OC.L10N.register( "Audio" : "Hangok", "Photos and images" : "Fényképek és képek", "Videos" : "Videók", - "New folder creation cancelled" : "Az új mappa létrehozása megszakítva", "Created new folder \"{name}\"" : "Új „{name}” mappa létrehozva", "Unable to initialize the templates directory" : "A sablonkönyvtár előkészítése sikertelen", "Create templates folder" : "Sablonmappa létrehozása", @@ -449,6 +444,11 @@ OC.L10N.register( "Enable the grid view" : "Rácsnézet engedélyezése", "Use this address to access your Files via WebDAV" : "Ezzel a címmel férhet hozzá a Fájlokhoz a WebDAV-on keresztül", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Ha engedélyezte a kétfaktoros hitelesítést, akkor kattintson ide, hogy létrehozzon egy új alkalmazásjelszót, és azt használja.", + "Deletion cancelled" : "Törlés megszakítva", + "Move cancelled" : "Áthelyezés megszakítva", + "Cancelled move or copy of \"{filename}\"." : "„{filename}” áthelyezése vagy másolása megszakítva", + "Cancelled move or copy operation" : "Az áthelyezés vagy másolás művelet megszakítva", + "New folder creation cancelled" : "Az új mappa létrehozása megszakítva", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} mappa","{folderCount} mappa"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} fájl","{fileCount} fájl"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 fájl és {folderCount} mappa","1 fájl és {folderCount} mappa"], diff --git a/apps/files/l10n/hu.json b/apps/files/l10n/hu.json index ad732cb959c..e812807a465 100644 --- a/apps/files/l10n/hu.json +++ b/apps/files/l10n/hu.json @@ -251,7 +251,6 @@ "File successfully converted" : "Fájl sikeresen átalakítva", "Failed to convert file: {message}" : "A fájl átalakítása sikertelen: {message}", "Failed to convert file" : "A fájl átalakítása sikertelen", - "Deletion cancelled" : "Törlés megszakítva", "Leave this share" : "Megosztás elhagyása", "Leave these shares" : "Megosztások elhagyása", "Disconnect storage" : "Tároló leválasztása", @@ -275,7 +274,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "A fájl/mappa önmagába, vagy saját almappájába áthelyezése nem lehetséges", "(copy)" : "(másolat)", "(copy %n)" : "(%n. másolat)", - "Move cancelled" : "Áthelyezés megszakítva", "A file or folder with that name already exists in this folder" : "Már létezik ilyen nevű fájl vagy mappa ebben a mappában", "The files are locked" : "A fájlok zárolva vannak", "The file does not exist anymore" : "Ez a fájl már nem létezik", @@ -286,8 +284,6 @@ "Move" : "Áthelyezés", "Move or copy operation failed" : "Az áthelyezés vagy a másolás művelet sikertelen", "Move or copy" : "Áthelyezés vagy másolás", - "Cancelled move or copy of \"{filename}\"." : "„{filename}” áthelyezése vagy másolása megszakítva", - "Cancelled move or copy operation" : "Az áthelyezés vagy másolás művelet megszakítva", "Open folder {displayName}" : "A(z) {displayName} mappa megnyitása", "Open in Files" : "Megnyitás a Fájlokban", "Open locally" : "Megnyitás helyben", @@ -312,7 +308,6 @@ "Audio" : "Hangok", "Photos and images" : "Fényképek és képek", "Videos" : "Videók", - "New folder creation cancelled" : "Az új mappa létrehozása megszakítva", "Created new folder \"{name}\"" : "Új „{name}” mappa létrehozva", "Unable to initialize the templates directory" : "A sablonkönyvtár előkészítése sikertelen", "Create templates folder" : "Sablonmappa létrehozása", @@ -447,6 +442,11 @@ "Enable the grid view" : "Rácsnézet engedélyezése", "Use this address to access your Files via WebDAV" : "Ezzel a címmel férhet hozzá a Fájlokhoz a WebDAV-on keresztül", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Ha engedélyezte a kétfaktoros hitelesítést, akkor kattintson ide, hogy létrehozzon egy új alkalmazásjelszót, és azt használja.", + "Deletion cancelled" : "Törlés megszakítva", + "Move cancelled" : "Áthelyezés megszakítva", + "Cancelled move or copy of \"{filename}\"." : "„{filename}” áthelyezése vagy másolása megszakítva", + "Cancelled move or copy operation" : "Az áthelyezés vagy másolás művelet megszakítva", + "New folder creation cancelled" : "Az új mappa létrehozása megszakítva", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} mappa","{folderCount} mappa"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} fájl","{fileCount} fájl"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 fájl és {folderCount} mappa","1 fájl és {folderCount} mappa"], diff --git a/apps/files/l10n/is.js b/apps/files/l10n/is.js index 247a71b082b..80f3dae8c65 100644 --- a/apps/files/l10n/is.js +++ b/apps/files/l10n/is.js @@ -228,7 +228,6 @@ OC.L10N.register( "File successfully converted" : "Tókst að umbreyta skrá", "Failed to convert file: {message}" : "Mistókst að umbreyta skrá: {message}", "Failed to convert file" : "Mistókst að umbreyta skrá", - "Deletion cancelled" : "Hætt við eyðingu", "Leave this share" : "Yfirgefa þessa sameign", "Leave these shares" : "Yfirgefa þessar sameignir", "Disconnect storage" : "Aftengja geymslu", @@ -252,7 +251,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "Þú getur ekki flutt skrá/möppu inn í sjálfa sig eða inni í undirmöppu af sjálfri sér", "(copy)" : "(afrita)", "(copy %n)" : "(afrita %n)", - "Move cancelled" : "Hætt við tilfærslu", "A file or folder with that name already exists in this folder" : "Skrá eða mappa með þessu heiti er þegar til staðar í þessari möppu", "The files are locked" : "Skrárnar eru læstar", "The file does not exist anymore" : "Skráin er ekki lengur til", @@ -263,8 +261,6 @@ OC.L10N.register( "Move" : "Færa", "Move or copy operation failed" : "Aðgerð við að færa eða afrita mistókst", "Move or copy" : "Færa eða afrita", - "Cancelled move or copy of \"{filename}\"." : "Hætti við aðgerð við að færa eða afrita \"{filename}\".", - "Cancelled move or copy operation" : "Hætti við aðgerð við að færa eða afrita", "Open folder {displayName}" : "Opna möppu {displayName}", "Open in Files" : "Opna í skráaforritinu", "Failed to redirect to client" : "Mistókst að endurbeina til biðlara", @@ -286,7 +282,6 @@ OC.L10N.register( "Audio" : "Hljóð", "Photos and images" : "Myndefni", "Videos" : "Myndskeið", - "New folder creation cancelled" : "Hætti við gerð nýrrar möppu", "Created new folder \"{name}\"" : "Bjó til nýja möppu \"{name}\"", "Unable to initialize the templates directory" : "Tókst ekki að frumstilla sniðmátamöppuna", "Create templates folder" : "Búa til sniðmátamöppu", @@ -420,6 +415,11 @@ OC.L10N.register( "Enable the grid view" : "Virkja reitasýnina", "Use this address to access your Files via WebDAV" : "Notaðu þetta vistfang til að nálgast skráaforritið þitt með WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Ef þú hefur virkjað 2FA tveggja-þrepa-auðkenningu, þarftu að útbúa nýtt lykilorð forrits og nota það með því að smella hér.", + "Deletion cancelled" : "Hætt við eyðingu", + "Move cancelled" : "Hætt við tilfærslu", + "Cancelled move or copy of \"{filename}\"." : "Hætti við aðgerð við að færa eða afrita \"{filename}\".", + "Cancelled move or copy operation" : "Hætti við aðgerð við að færa eða afrita", + "New folder creation cancelled" : "Hætti við gerð nýrrar möppu", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} mappa","{folderCount} möppur"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} skrá","{fileCount} skrár"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 skrá og {folderCount} mappa","1 skrá og {folderCount} möppur"], diff --git a/apps/files/l10n/is.json b/apps/files/l10n/is.json index 23115e9f13a..f4453607157 100644 --- a/apps/files/l10n/is.json +++ b/apps/files/l10n/is.json @@ -226,7 +226,6 @@ "File successfully converted" : "Tókst að umbreyta skrá", "Failed to convert file: {message}" : "Mistókst að umbreyta skrá: {message}", "Failed to convert file" : "Mistókst að umbreyta skrá", - "Deletion cancelled" : "Hætt við eyðingu", "Leave this share" : "Yfirgefa þessa sameign", "Leave these shares" : "Yfirgefa þessar sameignir", "Disconnect storage" : "Aftengja geymslu", @@ -250,7 +249,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "Þú getur ekki flutt skrá/möppu inn í sjálfa sig eða inni í undirmöppu af sjálfri sér", "(copy)" : "(afrita)", "(copy %n)" : "(afrita %n)", - "Move cancelled" : "Hætt við tilfærslu", "A file or folder with that name already exists in this folder" : "Skrá eða mappa með þessu heiti er þegar til staðar í þessari möppu", "The files are locked" : "Skrárnar eru læstar", "The file does not exist anymore" : "Skráin er ekki lengur til", @@ -261,8 +259,6 @@ "Move" : "Færa", "Move or copy operation failed" : "Aðgerð við að færa eða afrita mistókst", "Move or copy" : "Færa eða afrita", - "Cancelled move or copy of \"{filename}\"." : "Hætti við aðgerð við að færa eða afrita \"{filename}\".", - "Cancelled move or copy operation" : "Hætti við aðgerð við að færa eða afrita", "Open folder {displayName}" : "Opna möppu {displayName}", "Open in Files" : "Opna í skráaforritinu", "Failed to redirect to client" : "Mistókst að endurbeina til biðlara", @@ -284,7 +280,6 @@ "Audio" : "Hljóð", "Photos and images" : "Myndefni", "Videos" : "Myndskeið", - "New folder creation cancelled" : "Hætti við gerð nýrrar möppu", "Created new folder \"{name}\"" : "Bjó til nýja möppu \"{name}\"", "Unable to initialize the templates directory" : "Tókst ekki að frumstilla sniðmátamöppuna", "Create templates folder" : "Búa til sniðmátamöppu", @@ -418,6 +413,11 @@ "Enable the grid view" : "Virkja reitasýnina", "Use this address to access your Files via WebDAV" : "Notaðu þetta vistfang til að nálgast skráaforritið þitt með WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Ef þú hefur virkjað 2FA tveggja-þrepa-auðkenningu, þarftu að útbúa nýtt lykilorð forrits og nota það með því að smella hér.", + "Deletion cancelled" : "Hætt við eyðingu", + "Move cancelled" : "Hætt við tilfærslu", + "Cancelled move or copy of \"{filename}\"." : "Hætti við aðgerð við að færa eða afrita \"{filename}\".", + "Cancelled move or copy operation" : "Hætti við aðgerð við að færa eða afrita", + "New folder creation cancelled" : "Hætti við gerð nýrrar möppu", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} mappa","{folderCount} möppur"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} skrá","{fileCount} skrár"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 skrá og {folderCount} mappa","1 skrá og {folderCount} möppur"], diff --git a/apps/files/l10n/it.js b/apps/files/l10n/it.js index 2d877e16663..1c506251652 100644 --- a/apps/files/l10n/it.js +++ b/apps/files/l10n/it.js @@ -264,7 +264,6 @@ OC.L10N.register( "File successfully converted" : "File convertito con successo", "Failed to convert file: {message}" : "Impossibile convertire il file: {message}", "Failed to convert file" : "Impossibile convertire il file", - "Deletion cancelled" : "Eliminazione annullata", "Leave this share" : "Abbandona questa condivisione", "Leave these shares" : "Abbandona queste condivisioni", "Disconnect storage" : "Disconnetti archiviazione", @@ -288,7 +287,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "Non puoi spostare un file/cartella in se stesso o in una sottocartella di se stesso", "(copy)" : "(copia)", "(copy %n)" : "(copia %n)", - "Move cancelled" : "Spostamento cancellato", "A file or folder with that name already exists in this folder" : "Esiste già un file o una cartella con quel nome in questa cartella", "The files are locked" : "I files sono bloccati", "The file does not exist anymore" : "Il file non esiste più", @@ -299,8 +297,6 @@ OC.L10N.register( "Move" : "Sposta", "Move or copy operation failed" : "Operazione di spostamento o copia fallita", "Move or copy" : "Sposta o copia", - "Cancelled move or copy of \"{filename}\"." : "Spostamento o copia di \"{filename}\" annullato.", - "Cancelled move or copy operation" : "Operazione di spostamento o copia annullata", "Open folder {displayName}" : "Apri la cartella {displayName}", "Open in Files" : "Apri in File", "Open locally" : "Aprire localmente", @@ -325,7 +321,6 @@ OC.L10N.register( "Audio" : "Audio", "Photos and images" : "Foto e immagini", "Videos" : "Video", - "New folder creation cancelled" : "Creazione nuova cartella annullata", "Created new folder \"{name}\"" : "Crea una nuova cartella \"{name}\"", "Unable to initialize the templates directory" : "Impossibile inizializzare la cartella dei modelli", "Create templates folder" : "Crea cartella dei modelli", @@ -461,6 +456,11 @@ OC.L10N.register( "Enable the grid view" : "Attiva visuale a griglia", "Use this address to access your Files via WebDAV" : "Usa questo indirizzo per accedere ai tuoi file con WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Se hai abilitato il 2FA, devi creare ed usare una nuova password per l'applicazione facendo clic qui.", + "Deletion cancelled" : "Eliminazione annullata", + "Move cancelled" : "Spostamento cancellato", + "Cancelled move or copy of \"{filename}\"." : "Spostamento o copia di \"{filename}\" annullato.", + "Cancelled move or copy operation" : "Operazione di spostamento o copia annullata", + "New folder creation cancelled" : "Creazione nuova cartella annullata", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} cartella","{folderCount} cartelle","{folderCount} cartelle"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} file","{fileCount} file","{fileCount} file"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 file e {folderCount} cartella","1 file e {folderCount} cartelle","1 file e {folderCount} cartelle"], diff --git a/apps/files/l10n/it.json b/apps/files/l10n/it.json index 75edb54fe3d..1ae4466594a 100644 --- a/apps/files/l10n/it.json +++ b/apps/files/l10n/it.json @@ -262,7 +262,6 @@ "File successfully converted" : "File convertito con successo", "Failed to convert file: {message}" : "Impossibile convertire il file: {message}", "Failed to convert file" : "Impossibile convertire il file", - "Deletion cancelled" : "Eliminazione annullata", "Leave this share" : "Abbandona questa condivisione", "Leave these shares" : "Abbandona queste condivisioni", "Disconnect storage" : "Disconnetti archiviazione", @@ -286,7 +285,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "Non puoi spostare un file/cartella in se stesso o in una sottocartella di se stesso", "(copy)" : "(copia)", "(copy %n)" : "(copia %n)", - "Move cancelled" : "Spostamento cancellato", "A file or folder with that name already exists in this folder" : "Esiste già un file o una cartella con quel nome in questa cartella", "The files are locked" : "I files sono bloccati", "The file does not exist anymore" : "Il file non esiste più", @@ -297,8 +295,6 @@ "Move" : "Sposta", "Move or copy operation failed" : "Operazione di spostamento o copia fallita", "Move or copy" : "Sposta o copia", - "Cancelled move or copy of \"{filename}\"." : "Spostamento o copia di \"{filename}\" annullato.", - "Cancelled move or copy operation" : "Operazione di spostamento o copia annullata", "Open folder {displayName}" : "Apri la cartella {displayName}", "Open in Files" : "Apri in File", "Open locally" : "Aprire localmente", @@ -323,7 +319,6 @@ "Audio" : "Audio", "Photos and images" : "Foto e immagini", "Videos" : "Video", - "New folder creation cancelled" : "Creazione nuova cartella annullata", "Created new folder \"{name}\"" : "Crea una nuova cartella \"{name}\"", "Unable to initialize the templates directory" : "Impossibile inizializzare la cartella dei modelli", "Create templates folder" : "Crea cartella dei modelli", @@ -459,6 +454,11 @@ "Enable the grid view" : "Attiva visuale a griglia", "Use this address to access your Files via WebDAV" : "Usa questo indirizzo per accedere ai tuoi file con WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Se hai abilitato il 2FA, devi creare ed usare una nuova password per l'applicazione facendo clic qui.", + "Deletion cancelled" : "Eliminazione annullata", + "Move cancelled" : "Spostamento cancellato", + "Cancelled move or copy of \"{filename}\"." : "Spostamento o copia di \"{filename}\" annullato.", + "Cancelled move or copy operation" : "Operazione di spostamento o copia annullata", + "New folder creation cancelled" : "Creazione nuova cartella annullata", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} cartella","{folderCount} cartelle","{folderCount} cartelle"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} file","{fileCount} file","{fileCount} file"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 file e {folderCount} cartella","1 file e {folderCount} cartelle","1 file e {folderCount} cartelle"], diff --git a/apps/files/l10n/ja.js b/apps/files/l10n/ja.js index 5d3dacb8ebf..485685f5c24 100644 --- a/apps/files/l10n/ja.js +++ b/apps/files/l10n/ja.js @@ -264,7 +264,6 @@ OC.L10N.register( "File successfully converted" : "ファイルは正常に変換されました", "Failed to convert file: {message}" : "ファイルの変換に失敗しました: {message}", "Failed to convert file" : "ファイルの変換に失敗しました", - "Deletion cancelled" : "削除はキャンセルされました", "Leave this share" : "この共有から抜ける", "Leave these shares" : "これらの共有から抜ける", "Disconnect storage" : "ストレージを切断する", @@ -288,7 +287,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "ファイル/フォルダをそれ自身の上に移動したり、それ自身のサブフォルダに移動したりすることはできません。", "(copy)" : "(copy)", "(copy %n)" : "(copy %n)", - "Move cancelled" : "移動はキャンセルされました", "A file or folder with that name already exists in this folder" : "その名前のファイルまたはフォルダが、このフォルダに既に存在します", "The files are locked" : "ファイルはロックされています", "The file does not exist anymore" : "ファイルはもう存在しません", @@ -299,8 +297,6 @@ OC.L10N.register( "Move" : "移動", "Move or copy operation failed" : "移動またはコピー操作は失敗しました", "Move or copy" : "移動またはコピー", - "Cancelled move or copy of \"{filename}\"." : "\"{filename}\"の移動またはコピーをキャンセルしました。", - "Cancelled move or copy operation" : "キャンセルされた移動またはコピー操作", "Open folder {displayName}" : "フォルダ {displayName} を開く", "Open in Files" : "ファイルアプリで開く", "Open locally" : "ローカルで開く", @@ -325,7 +321,6 @@ OC.L10N.register( "Audio" : "オーディオ", "Photos and images" : "写真と画像", "Videos" : "動画", - "New folder creation cancelled" : "新しいフォルダーの作成がキャンセルされました", "Created new folder \"{name}\"" : "新規フォルダ \"{name}\" を作成しました", "Unable to initialize the templates directory" : "テンプレートディレクトリを初期化できませんでした", "Create templates folder" : "テンプレートフォルダーの作成", @@ -461,6 +456,11 @@ OC.L10N.register( "Enable the grid view" : "グリッド表示を有効にする", "Use this address to access your Files via WebDAV" : "このアドレスを使用すれば、WebDAV経由でファイルにアクセスできます", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "2FAを有効にしている場合は、ここをクリックして新しいアプリのパスワードを作成し、使用する必要があります。", + "Deletion cancelled" : "削除はキャンセルされました", + "Move cancelled" : "移動はキャンセルされました", + "Cancelled move or copy of \"{filename}\"." : "\"{filename}\"の移動またはコピーをキャンセルしました。", + "Cancelled move or copy operation" : "キャンセルされた移動またはコピー操作", + "New folder creation cancelled" : "新しいフォルダーの作成がキャンセルされました", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} フォルダ"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} ファイル"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 ファイルと {folderCount} フォルダ"], diff --git a/apps/files/l10n/ja.json b/apps/files/l10n/ja.json index 37674f11084..dab642f2d08 100644 --- a/apps/files/l10n/ja.json +++ b/apps/files/l10n/ja.json @@ -262,7 +262,6 @@ "File successfully converted" : "ファイルは正常に変換されました", "Failed to convert file: {message}" : "ファイルの変換に失敗しました: {message}", "Failed to convert file" : "ファイルの変換に失敗しました", - "Deletion cancelled" : "削除はキャンセルされました", "Leave this share" : "この共有から抜ける", "Leave these shares" : "これらの共有から抜ける", "Disconnect storage" : "ストレージを切断する", @@ -286,7 +285,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "ファイル/フォルダをそれ自身の上に移動したり、それ自身のサブフォルダに移動したりすることはできません。", "(copy)" : "(copy)", "(copy %n)" : "(copy %n)", - "Move cancelled" : "移動はキャンセルされました", "A file or folder with that name already exists in this folder" : "その名前のファイルまたはフォルダが、このフォルダに既に存在します", "The files are locked" : "ファイルはロックされています", "The file does not exist anymore" : "ファイルはもう存在しません", @@ -297,8 +295,6 @@ "Move" : "移動", "Move or copy operation failed" : "移動またはコピー操作は失敗しました", "Move or copy" : "移動またはコピー", - "Cancelled move or copy of \"{filename}\"." : "\"{filename}\"の移動またはコピーをキャンセルしました。", - "Cancelled move or copy operation" : "キャンセルされた移動またはコピー操作", "Open folder {displayName}" : "フォルダ {displayName} を開く", "Open in Files" : "ファイルアプリで開く", "Open locally" : "ローカルで開く", @@ -323,7 +319,6 @@ "Audio" : "オーディオ", "Photos and images" : "写真と画像", "Videos" : "動画", - "New folder creation cancelled" : "新しいフォルダーの作成がキャンセルされました", "Created new folder \"{name}\"" : "新規フォルダ \"{name}\" を作成しました", "Unable to initialize the templates directory" : "テンプレートディレクトリを初期化できませんでした", "Create templates folder" : "テンプレートフォルダーの作成", @@ -459,6 +454,11 @@ "Enable the grid view" : "グリッド表示を有効にする", "Use this address to access your Files via WebDAV" : "このアドレスを使用すれば、WebDAV経由でファイルにアクセスできます", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "2FAを有効にしている場合は、ここをクリックして新しいアプリのパスワードを作成し、使用する必要があります。", + "Deletion cancelled" : "削除はキャンセルされました", + "Move cancelled" : "移動はキャンセルされました", + "Cancelled move or copy of \"{filename}\"." : "\"{filename}\"の移動またはコピーをキャンセルしました。", + "Cancelled move or copy operation" : "キャンセルされた移動またはコピー操作", + "New folder creation cancelled" : "新しいフォルダーの作成がキャンセルされました", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} フォルダ"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} ファイル"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 ファイルと {folderCount} フォルダ"], diff --git a/apps/files/l10n/ka.js b/apps/files/l10n/ka.js index e2bba4852a0..11e0cf3d254 100644 --- a/apps/files/l10n/ka.js +++ b/apps/files/l10n/ka.js @@ -171,7 +171,6 @@ OC.L10N.register( "Move to {target}" : "Move to {target}", "Move" : "Move", "Move or copy" : "Move or copy", - "Cancelled move or copy operation" : "Cancelled move or copy operation", "Open folder {displayName}" : "Open folder {displayName}", "Open in Files" : "Open in Files", "Open locally" : "Open locally", @@ -287,6 +286,7 @@ OC.L10N.register( "Enable the grid view" : "Enable the grid view", "Use this address to access your Files via WebDAV" : "Use this address to access your Files via WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "If you have enabled 2FA, you must create and use a new app password by clicking here.", + "Cancelled move or copy operation" : "Cancelled move or copy operation", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} folder","{folderCount} folders"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} file","{fileCount} files"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 file and {folderCount} folder","1 file and {folderCount} folders"], diff --git a/apps/files/l10n/ka.json b/apps/files/l10n/ka.json index 1647fd0d042..30cb7d06ef1 100644 --- a/apps/files/l10n/ka.json +++ b/apps/files/l10n/ka.json @@ -169,7 +169,6 @@ "Move to {target}" : "Move to {target}", "Move" : "Move", "Move or copy" : "Move or copy", - "Cancelled move or copy operation" : "Cancelled move or copy operation", "Open folder {displayName}" : "Open folder {displayName}", "Open in Files" : "Open in Files", "Open locally" : "Open locally", @@ -285,6 +284,7 @@ "Enable the grid view" : "Enable the grid view", "Use this address to access your Files via WebDAV" : "Use this address to access your Files via WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "If you have enabled 2FA, you must create and use a new app password by clicking here.", + "Cancelled move or copy operation" : "Cancelled move or copy operation", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} folder","{folderCount} folders"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} file","{fileCount} files"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 file and {folderCount} folder","1 file and {folderCount} folders"], diff --git a/apps/files/l10n/ko.js b/apps/files/l10n/ko.js index 9dc161d0342..70e39c76b18 100644 --- a/apps/files/l10n/ko.js +++ b/apps/files/l10n/ko.js @@ -231,7 +231,6 @@ OC.L10N.register( "Failed to convert files: {message}" : "파일 변환에 실패함:{message}", "All files failed to be converted" : "모든 파일이 변환에 실패했습니다.", "Failed to convert files" : "파일 변환에 실패했습니다", - "Deletion cancelled" : "삭제가 취소됨", "Leave this share" : "이 공유에서 떠나기", "Leave these shares" : "이 공유에서 떠나기", "Disconnect storage" : "저장소 연결 해제", @@ -255,7 +254,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "파일/폴더를 그 안이나 그 안의 폴더로 이동할 수 없습니다.", "(copy)" : "(복사)", "(copy %n)" : "(%n 복사)", - "Move cancelled" : "이동이 취소됨", "A file or folder with that name already exists in this folder" : "같은 이름을 사용하는 파일 또는 폴더가 이미 이 폴더에 있습니다.", "The files are locked" : "이 파일은 잠겼습니다", "The file does not exist anymore" : "파일이 더이상 존재하지 않습니다.", @@ -266,8 +264,6 @@ OC.L10N.register( "Move" : "이동", "Move or copy operation failed" : "이동 또는 복사 작업에 실패함", "Move or copy" : "이동이나 복사", - "Cancelled move or copy of \"{filename}\"." : "\"{filename}\"의 이동 또는 복사를 취소했습니다.", - "Cancelled move or copy operation" : "이동 또는 복사 작업을 취소함", "Open folder {displayName}" : "{displayName} 폴더 열기", "Open in Files" : "파일에서 열기", "Open locally" : "로컬에서 열기", @@ -291,7 +287,6 @@ OC.L10N.register( "Audio" : "오디오", "Photos and images" : "사진과 이미지", "Videos" : "동영상", - "New folder creation cancelled" : "새 폴더 생성 취소됨", "Created new folder \"{name}\"" : "\"{name}\" 폴더를 새로 만듦", "Unable to initialize the templates directory" : "템플릿 디렉터리를 설정할 수 없음", "Create templates folder" : "템플릿 폴더 만들기", @@ -425,6 +420,11 @@ OC.L10N.register( "Enable the grid view" : "바둑판식 보기 활성화", "Use this address to access your Files via WebDAV" : "이 주소를 사용하여 WebDAV를 통해 내 파일에 접근하세요.", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "2단계 인증을 활성화했다면, 이곳을 클릭해 새로운 앱 암호를 만들어 사용해야 합니다.", + "Deletion cancelled" : "삭제가 취소됨", + "Move cancelled" : "이동이 취소됨", + "Cancelled move or copy of \"{filename}\"." : "\"{filename}\"의 이동 또는 복사를 취소했습니다.", + "Cancelled move or copy operation" : "이동 또는 복사 작업을 취소함", + "New folder creation cancelled" : "새 폴더 생성 취소됨", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount}개 폴더"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount}개 파일"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1개 파일과 {folderCount}개 폴더"], diff --git a/apps/files/l10n/ko.json b/apps/files/l10n/ko.json index 10f92ef906b..ec3b036c633 100644 --- a/apps/files/l10n/ko.json +++ b/apps/files/l10n/ko.json @@ -229,7 +229,6 @@ "Failed to convert files: {message}" : "파일 변환에 실패함:{message}", "All files failed to be converted" : "모든 파일이 변환에 실패했습니다.", "Failed to convert files" : "파일 변환에 실패했습니다", - "Deletion cancelled" : "삭제가 취소됨", "Leave this share" : "이 공유에서 떠나기", "Leave these shares" : "이 공유에서 떠나기", "Disconnect storage" : "저장소 연결 해제", @@ -253,7 +252,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "파일/폴더를 그 안이나 그 안의 폴더로 이동할 수 없습니다.", "(copy)" : "(복사)", "(copy %n)" : "(%n 복사)", - "Move cancelled" : "이동이 취소됨", "A file or folder with that name already exists in this folder" : "같은 이름을 사용하는 파일 또는 폴더가 이미 이 폴더에 있습니다.", "The files are locked" : "이 파일은 잠겼습니다", "The file does not exist anymore" : "파일이 더이상 존재하지 않습니다.", @@ -264,8 +262,6 @@ "Move" : "이동", "Move or copy operation failed" : "이동 또는 복사 작업에 실패함", "Move or copy" : "이동이나 복사", - "Cancelled move or copy of \"{filename}\"." : "\"{filename}\"의 이동 또는 복사를 취소했습니다.", - "Cancelled move or copy operation" : "이동 또는 복사 작업을 취소함", "Open folder {displayName}" : "{displayName} 폴더 열기", "Open in Files" : "파일에서 열기", "Open locally" : "로컬에서 열기", @@ -289,7 +285,6 @@ "Audio" : "오디오", "Photos and images" : "사진과 이미지", "Videos" : "동영상", - "New folder creation cancelled" : "새 폴더 생성 취소됨", "Created new folder \"{name}\"" : "\"{name}\" 폴더를 새로 만듦", "Unable to initialize the templates directory" : "템플릿 디렉터리를 설정할 수 없음", "Create templates folder" : "템플릿 폴더 만들기", @@ -423,6 +418,11 @@ "Enable the grid view" : "바둑판식 보기 활성화", "Use this address to access your Files via WebDAV" : "이 주소를 사용하여 WebDAV를 통해 내 파일에 접근하세요.", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "2단계 인증을 활성화했다면, 이곳을 클릭해 새로운 앱 암호를 만들어 사용해야 합니다.", + "Deletion cancelled" : "삭제가 취소됨", + "Move cancelled" : "이동이 취소됨", + "Cancelled move or copy of \"{filename}\"." : "\"{filename}\"의 이동 또는 복사를 취소했습니다.", + "Cancelled move or copy operation" : "이동 또는 복사 작업을 취소함", + "New folder creation cancelled" : "새 폴더 생성 취소됨", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount}개 폴더"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount}개 파일"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1개 파일과 {folderCount}개 폴더"], diff --git a/apps/files/l10n/lt_LT.js b/apps/files/l10n/lt_LT.js index 027c30bd63a..68f64dd9aa6 100644 --- a/apps/files/l10n/lt_LT.js +++ b/apps/files/l10n/lt_LT.js @@ -160,7 +160,6 @@ OC.L10N.register( "Creating file" : "Sukuriamas failas", "Save as {displayName}" : "Įrašyti kaip {displayName}", "Save as …" : "Įrašyti kaip…", - "Deletion cancelled" : "Ištrynimo atsisakyta", "Leave this share" : "Palikti bendrinimą", "Disconnect storage" : "Atjungti saugyklą", "Delete permanently" : "Ištrinti negrįžtamai", @@ -202,7 +201,6 @@ OC.L10N.register( "Audio" : "Garso įrašai", "Photos and images" : "Nuotraukos ir paveikslai", "Videos" : "Vaizdo įrašai", - "New folder creation cancelled" : "Naujo aplanko sukūrimo atsisakyta", "Created new folder \"{name}\"" : "Sukurtas naujas aplankas „{name}“", "Unable to initialize the templates directory" : "Nepavyko inicijuoti šablonų katalogo", "Create templates folder" : "Sukurti šablonų aplanką", @@ -308,6 +306,8 @@ OC.L10N.register( "Filter filenames…" : "Filtruoti failų pavadinimus…", "Enable the grid view" : "Įjungti grid peržiūrą", "Use this address to access your Files via WebDAV" : "Naudokite šį adresą norėdami pasiekti failus per WebDAV", + "Deletion cancelled" : "Ištrynimo atsisakyta", + "New folder creation cancelled" : "Naujo aplanko sukūrimo atsisakyta", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} aplankas","{folderCount} aplankai","{folderCount} aplankų","{folderCount} aplankas"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} failas","{fileCount} failai","{fileCount} failų","{fileCount} failas"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 failas ir {folderCount} aplankas","1 failas ir {folderCount} aplankai","1 failas ir {folderCount} aplankų","1 failas ir {folderCount} aplankas"], diff --git a/apps/files/l10n/lt_LT.json b/apps/files/l10n/lt_LT.json index d6c957349db..f8bc201fecc 100644 --- a/apps/files/l10n/lt_LT.json +++ b/apps/files/l10n/lt_LT.json @@ -158,7 +158,6 @@ "Creating file" : "Sukuriamas failas", "Save as {displayName}" : "Įrašyti kaip {displayName}", "Save as …" : "Įrašyti kaip…", - "Deletion cancelled" : "Ištrynimo atsisakyta", "Leave this share" : "Palikti bendrinimą", "Disconnect storage" : "Atjungti saugyklą", "Delete permanently" : "Ištrinti negrįžtamai", @@ -200,7 +199,6 @@ "Audio" : "Garso įrašai", "Photos and images" : "Nuotraukos ir paveikslai", "Videos" : "Vaizdo įrašai", - "New folder creation cancelled" : "Naujo aplanko sukūrimo atsisakyta", "Created new folder \"{name}\"" : "Sukurtas naujas aplankas „{name}“", "Unable to initialize the templates directory" : "Nepavyko inicijuoti šablonų katalogo", "Create templates folder" : "Sukurti šablonų aplanką", @@ -306,6 +304,8 @@ "Filter filenames…" : "Filtruoti failų pavadinimus…", "Enable the grid view" : "Įjungti grid peržiūrą", "Use this address to access your Files via WebDAV" : "Naudokite šį adresą norėdami pasiekti failus per WebDAV", + "Deletion cancelled" : "Ištrynimo atsisakyta", + "New folder creation cancelled" : "Naujo aplanko sukūrimo atsisakyta", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} aplankas","{folderCount} aplankai","{folderCount} aplankų","{folderCount} aplankas"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} failas","{fileCount} failai","{fileCount} failų","{fileCount} failas"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 failas ir {folderCount} aplankas","1 failas ir {folderCount} aplankai","1 failas ir {folderCount} aplankų","1 failas ir {folderCount} aplankas"], diff --git a/apps/files/l10n/mk.js b/apps/files/l10n/mk.js index 80f697aad04..860367a4e6b 100644 --- a/apps/files/l10n/mk.js +++ b/apps/files/l10n/mk.js @@ -233,7 +233,6 @@ OC.L10N.register( "Save as {displayName}" : "Зачувај како {displayName}", "Save as …" : "Зачувај како ...", "Converting files …" : "Конвертирање датотеки …", - "Deletion cancelled" : "Бришењето е откажано", "Leave this share" : "Напушти го ова споделување", "Leave these shares" : "Напушти ги овие споделувања", "Disconnect storage" : "Исклучи складиште", @@ -262,7 +261,6 @@ OC.L10N.register( "Move to {target}" : "Премести во {target}", "Move" : "Премести", "Move or copy" : "Премести или копирај", - "Cancelled move or copy operation" : "Откажана операција на копирање или преместување", "Open folder {displayName}" : "Отвори папка {displayName}", "Open in Files" : "Отвори во датотеките", "Open locally" : "Отвори локално", @@ -403,6 +401,8 @@ OC.L10N.register( "Enable the grid view" : "Овозможи поглед во мрежа", "Use this address to access your Files via WebDAV" : "Користи ја оваа адреса за пристап до вашите датотеки преку WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Ако имате овозможено 2FA, мора да креирате и користите нова лозинка за апликација со кликнување овде.", + "Deletion cancelled" : "Бришењето е откажано", + "Cancelled move or copy operation" : "Откажана операција на копирање или преместување", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} папка","{folderCount} папки"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} датотека","{fileCount} датотеки"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 датотека и {folderCount} папки","1 датотека и {folderCount} папки"], diff --git a/apps/files/l10n/mk.json b/apps/files/l10n/mk.json index bc76f3e5e86..9cebae548d8 100644 --- a/apps/files/l10n/mk.json +++ b/apps/files/l10n/mk.json @@ -231,7 +231,6 @@ "Save as {displayName}" : "Зачувај како {displayName}", "Save as …" : "Зачувај како ...", "Converting files …" : "Конвертирање датотеки …", - "Deletion cancelled" : "Бришењето е откажано", "Leave this share" : "Напушти го ова споделување", "Leave these shares" : "Напушти ги овие споделувања", "Disconnect storage" : "Исклучи складиште", @@ -260,7 +259,6 @@ "Move to {target}" : "Премести во {target}", "Move" : "Премести", "Move or copy" : "Премести или копирај", - "Cancelled move or copy operation" : "Откажана операција на копирање или преместување", "Open folder {displayName}" : "Отвори папка {displayName}", "Open in Files" : "Отвори во датотеките", "Open locally" : "Отвори локално", @@ -401,6 +399,8 @@ "Enable the grid view" : "Овозможи поглед во мрежа", "Use this address to access your Files via WebDAV" : "Користи ја оваа адреса за пристап до вашите датотеки преку WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Ако имате овозможено 2FA, мора да креирате и користите нова лозинка за апликација со кликнување овде.", + "Deletion cancelled" : "Бришењето е откажано", + "Cancelled move or copy operation" : "Откажана операција на копирање или преместување", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} папка","{folderCount} папки"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} датотека","{fileCount} датотеки"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 датотека и {folderCount} папки","1 датотека и {folderCount} папки"], diff --git a/apps/files/l10n/nb.js b/apps/files/l10n/nb.js index 401ed587b87..6b071f6c2bc 100644 --- a/apps/files/l10n/nb.js +++ b/apps/files/l10n/nb.js @@ -212,7 +212,6 @@ OC.L10N.register( "Pick a template for {name}" : "Velg en mal for {name}", "Create a new file with the selected template" : "Opprett en ny fil med den valgte malen", "Creating file" : "Oppretter fil", - "Deletion cancelled" : "Sletting avbrutt", "Leave this share" : "Forlat denne delingen", "Leave these shares" : "Forlat disse delingene", "Disconnect storage" : "Koble fra lager", @@ -236,7 +235,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "Du kan ikke flytte en fil/mappe til seg selv eller til en undermappe av seg selv", "(copy)" : "(kopier)", "(copy %n)" : "(kopier %n)", - "Move cancelled" : "Flytt avbrutt", "A file or folder with that name already exists in this folder" : "En fil eller mappe med det navnet finnes allerede i denne mappen", "The files are locked" : "Filene er låst", "The file does not exist anymore" : "Filen finnes ikke lenger", @@ -247,8 +245,6 @@ OC.L10N.register( "Move" : "Flytt", "Move or copy operation failed" : "Flytte- eller kopieringsoperason feilet", "Move or copy" : "Flytt eller kopier", - "Cancelled move or copy of \"{filename}\"." : "Kansellert flytte- eller kopieroperasjon av \"{filename}\"", - "Cancelled move or copy operation" : "Kansellert flytte- eller kopieroperasjon", "Open folder {displayName}" : "Åpne mappe {displayName}", "Open in Files" : "Åpne i Filer", "Open locally" : "Åpne lokalt", @@ -272,7 +268,6 @@ OC.L10N.register( "Audio" : "Lyd", "Photos and images" : "Fotoer og bilder", "Videos" : "Filmer", - "New folder creation cancelled" : "Oppretting av ny mappe avbrutt", "Created new folder \"{name}\"" : "Opprettet ny mappe \"{name}\"", "Unable to initialize the templates directory" : "Kan ikke initialisere mal-mappen", "Create templates folder" : "Opprett malmappe", @@ -406,6 +401,11 @@ OC.L10N.register( "Enable the grid view" : "Aktiver rutenettvisningen", "Use this address to access your Files via WebDAV" : "Bruk denne adressen for tilgang til filene dine via WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Hvis du har aktivert 2FA, må du opprette og bruke et nytt app-passord ved å klikke her.", + "Deletion cancelled" : "Sletting avbrutt", + "Move cancelled" : "Flytt avbrutt", + "Cancelled move or copy of \"{filename}\"." : "Kansellert flytte- eller kopieroperasjon av \"{filename}\"", + "Cancelled move or copy operation" : "Kansellert flytte- eller kopieroperasjon", + "New folder creation cancelled" : "Oppretting av ny mappe avbrutt", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} mappe","{folderCount} mapper"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} fil","{fileCount} filer"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 fil og {folderCount} mappe","1 fil og {folderCount} mapper"], diff --git a/apps/files/l10n/nb.json b/apps/files/l10n/nb.json index f08be791e8f..00f6185c6a1 100644 --- a/apps/files/l10n/nb.json +++ b/apps/files/l10n/nb.json @@ -210,7 +210,6 @@ "Pick a template for {name}" : "Velg en mal for {name}", "Create a new file with the selected template" : "Opprett en ny fil med den valgte malen", "Creating file" : "Oppretter fil", - "Deletion cancelled" : "Sletting avbrutt", "Leave this share" : "Forlat denne delingen", "Leave these shares" : "Forlat disse delingene", "Disconnect storage" : "Koble fra lager", @@ -234,7 +233,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "Du kan ikke flytte en fil/mappe til seg selv eller til en undermappe av seg selv", "(copy)" : "(kopier)", "(copy %n)" : "(kopier %n)", - "Move cancelled" : "Flytt avbrutt", "A file or folder with that name already exists in this folder" : "En fil eller mappe med det navnet finnes allerede i denne mappen", "The files are locked" : "Filene er låst", "The file does not exist anymore" : "Filen finnes ikke lenger", @@ -245,8 +243,6 @@ "Move" : "Flytt", "Move or copy operation failed" : "Flytte- eller kopieringsoperason feilet", "Move or copy" : "Flytt eller kopier", - "Cancelled move or copy of \"{filename}\"." : "Kansellert flytte- eller kopieroperasjon av \"{filename}\"", - "Cancelled move or copy operation" : "Kansellert flytte- eller kopieroperasjon", "Open folder {displayName}" : "Åpne mappe {displayName}", "Open in Files" : "Åpne i Filer", "Open locally" : "Åpne lokalt", @@ -270,7 +266,6 @@ "Audio" : "Lyd", "Photos and images" : "Fotoer og bilder", "Videos" : "Filmer", - "New folder creation cancelled" : "Oppretting av ny mappe avbrutt", "Created new folder \"{name}\"" : "Opprettet ny mappe \"{name}\"", "Unable to initialize the templates directory" : "Kan ikke initialisere mal-mappen", "Create templates folder" : "Opprett malmappe", @@ -404,6 +399,11 @@ "Enable the grid view" : "Aktiver rutenettvisningen", "Use this address to access your Files via WebDAV" : "Bruk denne adressen for tilgang til filene dine via WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Hvis du har aktivert 2FA, må du opprette og bruke et nytt app-passord ved å klikke her.", + "Deletion cancelled" : "Sletting avbrutt", + "Move cancelled" : "Flytt avbrutt", + "Cancelled move or copy of \"{filename}\"." : "Kansellert flytte- eller kopieroperasjon av \"{filename}\"", + "Cancelled move or copy operation" : "Kansellert flytte- eller kopieroperasjon", + "New folder creation cancelled" : "Oppretting av ny mappe avbrutt", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} mappe","{folderCount} mapper"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} fil","{fileCount} filer"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 fil og {folderCount} mappe","1 fil og {folderCount} mapper"], diff --git a/apps/files/l10n/nl.js b/apps/files/l10n/nl.js index df811a5020e..af59cb4fefd 100644 --- a/apps/files/l10n/nl.js +++ b/apps/files/l10n/nl.js @@ -266,7 +266,6 @@ OC.L10N.register( "File successfully converted" : "Bestand succesvol geconverteerd", "Failed to convert file: {message}" : "Conversie van bestand mislukt: {message} ", "Failed to convert file" : "Conversie van bestand mislukt", - "Deletion cancelled" : "Verwijderen geannulleerd", "Leave this share" : "Verlaat deze share", "Leave these shares" : "Verlaat deze shares", "Disconnect storage" : "Verbinding met opslag verbreken", @@ -290,7 +289,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "Je kan een bestand/map niet verplaatsen naar zichzelf of naar een subfolder van zichzelf.", "(copy)" : "(kopieer)", "(copy %n)" : "(kopieer %n)", - "Move cancelled" : "Verplaatsen geannuleerd", "A file or folder with that name already exists in this folder" : "Een bestand of map met dezelfde naam is al aanwezig in deze map", "The files are locked" : "De bestanden zijn vergrendeld", "The file does not exist anymore" : "Dit bestand bestaat niet meer", @@ -301,8 +299,6 @@ OC.L10N.register( "Move" : "Verplaatsen", "Move or copy operation failed" : "Verplaatsen of kopiëren mislukt", "Move or copy" : "Verplaats of kopieer", - "Cancelled move or copy of \"{filename}\"." : "Verplaatsen of kopiëren van \"¨{filename}\" geannuleerd.", - "Cancelled move or copy operation" : "Verplaatsen of kopiëren geannuleerd.", "Open folder {displayName}" : "Open map {displayName}", "Open in Files" : "Open in Bestanden", "Open locally" : "Lokaal openen", @@ -327,7 +323,6 @@ OC.L10N.register( "Audio" : "Geluid", "Photos and images" : "Foto's en afbeeldingen", "Videos" : "Video's", - "New folder creation cancelled" : "Maken van nieuwe map geannuleerd", "Created new folder \"{name}\"" : "Nieuwe map \"¨{name}\" gemaakt.", "Unable to initialize the templates directory" : "Kon de sjablonenmap niet instellen", "Create templates folder" : "Nieuwe sjablonenmap", @@ -465,6 +460,11 @@ OC.L10N.register( "Enable the grid view" : "Roosterweergave inschakelen", "Use this address to access your Files via WebDAV" : "Gebruik dit adres om je bestanden via WebDAV te benaderen", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Als je 2FA hebt ingeschakeld moet je een app wachtwoord maken en gebruiken door hier te klikken.", + "Deletion cancelled" : "Verwijderen geannulleerd", + "Move cancelled" : "Verplaatsen geannuleerd", + "Cancelled move or copy of \"{filename}\"." : "Verplaatsen of kopiëren van \"¨{filename}\" geannuleerd.", + "Cancelled move or copy operation" : "Verplaatsen of kopiëren geannuleerd.", + "New folder creation cancelled" : "Maken van nieuwe map geannuleerd", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} map","{folderCount} mappen"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} bestand","{fileCount} bestanden"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 bestand en {folderCount} map","1 bestand en {folderCount} mappen"], diff --git a/apps/files/l10n/nl.json b/apps/files/l10n/nl.json index 268c846a8fb..e2f4b04690f 100644 --- a/apps/files/l10n/nl.json +++ b/apps/files/l10n/nl.json @@ -264,7 +264,6 @@ "File successfully converted" : "Bestand succesvol geconverteerd", "Failed to convert file: {message}" : "Conversie van bestand mislukt: {message} ", "Failed to convert file" : "Conversie van bestand mislukt", - "Deletion cancelled" : "Verwijderen geannulleerd", "Leave this share" : "Verlaat deze share", "Leave these shares" : "Verlaat deze shares", "Disconnect storage" : "Verbinding met opslag verbreken", @@ -288,7 +287,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "Je kan een bestand/map niet verplaatsen naar zichzelf of naar een subfolder van zichzelf.", "(copy)" : "(kopieer)", "(copy %n)" : "(kopieer %n)", - "Move cancelled" : "Verplaatsen geannuleerd", "A file or folder with that name already exists in this folder" : "Een bestand of map met dezelfde naam is al aanwezig in deze map", "The files are locked" : "De bestanden zijn vergrendeld", "The file does not exist anymore" : "Dit bestand bestaat niet meer", @@ -299,8 +297,6 @@ "Move" : "Verplaatsen", "Move or copy operation failed" : "Verplaatsen of kopiëren mislukt", "Move or copy" : "Verplaats of kopieer", - "Cancelled move or copy of \"{filename}\"." : "Verplaatsen of kopiëren van \"¨{filename}\" geannuleerd.", - "Cancelled move or copy operation" : "Verplaatsen of kopiëren geannuleerd.", "Open folder {displayName}" : "Open map {displayName}", "Open in Files" : "Open in Bestanden", "Open locally" : "Lokaal openen", @@ -325,7 +321,6 @@ "Audio" : "Geluid", "Photos and images" : "Foto's en afbeeldingen", "Videos" : "Video's", - "New folder creation cancelled" : "Maken van nieuwe map geannuleerd", "Created new folder \"{name}\"" : "Nieuwe map \"¨{name}\" gemaakt.", "Unable to initialize the templates directory" : "Kon de sjablonenmap niet instellen", "Create templates folder" : "Nieuwe sjablonenmap", @@ -463,6 +458,11 @@ "Enable the grid view" : "Roosterweergave inschakelen", "Use this address to access your Files via WebDAV" : "Gebruik dit adres om je bestanden via WebDAV te benaderen", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Als je 2FA hebt ingeschakeld moet je een app wachtwoord maken en gebruiken door hier te klikken.", + "Deletion cancelled" : "Verwijderen geannulleerd", + "Move cancelled" : "Verplaatsen geannuleerd", + "Cancelled move or copy of \"{filename}\"." : "Verplaatsen of kopiëren van \"¨{filename}\" geannuleerd.", + "Cancelled move or copy operation" : "Verplaatsen of kopiëren geannuleerd.", + "New folder creation cancelled" : "Maken van nieuwe map geannuleerd", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} map","{folderCount} mappen"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} bestand","{fileCount} bestanden"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 bestand en {folderCount} map","1 bestand en {folderCount} mappen"], diff --git a/apps/files/l10n/pl.js b/apps/files/l10n/pl.js index 899d5c0e32d..107bd2813bd 100644 --- a/apps/files/l10n/pl.js +++ b/apps/files/l10n/pl.js @@ -262,7 +262,6 @@ OC.L10N.register( "File successfully converted" : "Plik pomyślnie przekonwertowany", "Failed to convert file: {message}" : "Nie udało się przekonwertować pliku: {message}", "Failed to convert file" : "Nie udało się przekonwertować pliku", - "Deletion cancelled" : "Usuwanie anulowane", "Leave this share" : "Opuść te udostępnienie", "Leave these shares" : "Opuść udostępnienia", "Disconnect storage" : "Odłącz magazyn", @@ -286,7 +285,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "Nie można przenieść pliku/katalogu do tego samego katalogu lub do własnego podkatalogu", "(copy)" : "(kopiuj)", "(copy %n)" : "(kopiuj %n)", - "Move cancelled" : "Przenoszenie anulowane", "A file or folder with that name already exists in this folder" : "Plik lub katalog o tej nazwie już istnieje w tym katalogu", "The files are locked" : "Pliki są zablokowane", "The file does not exist anymore" : "Plik już nie istnieje", @@ -297,8 +295,6 @@ OC.L10N.register( "Move" : "Przenieś", "Move or copy operation failed" : "Operacja przenoszenia lub kopiowania nie powiodła się", "Move or copy" : "Przenieś lub kopiuj", - "Cancelled move or copy of \"{filename}\"." : "Anulowano przeniesienie lub kopiowanie „{filename}”.", - "Cancelled move or copy operation" : "Anulowano operację przenoszenia lub kopiowania", "Open folder {displayName}" : "Otwórz katalog {displayName}", "Open in Files" : "Otwórz w Plikach", "Open locally" : "Otwórz lokalnie", @@ -323,7 +319,6 @@ OC.L10N.register( "Audio" : "Dźwięk", "Photos and images" : "Zdjęcia i obrazy", "Videos" : "Filmy", - "New folder creation cancelled" : "Tworzenie nowego katalogu zostało anulowane", "Created new folder \"{name}\"" : "Utworzono nowy katalog \"{name}\"", "Unable to initialize the templates directory" : "Nie można zainicjować katalogu szablonów", "Create templates folder" : "Utwórz katalog szablonów", @@ -459,6 +454,11 @@ OC.L10N.register( "Enable the grid view" : "Włącz widok siatki", "Use this address to access your Files via WebDAV" : "Użyj tego adresu, aby uzyskać dostęp do plików poprzez WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Jeśli włączyłeś 2FA, musisz utworzyć i używać nowego hasła do aplikacji, klikając tutaj.", + "Deletion cancelled" : "Usuwanie anulowane", + "Move cancelled" : "Przenoszenie anulowane", + "Cancelled move or copy of \"{filename}\"." : "Anulowano przeniesienie lub kopiowanie „{filename}”.", + "Cancelled move or copy operation" : "Anulowano operację przenoszenia lub kopiowania", + "New folder creation cancelled" : "Tworzenie nowego katalogu zostało anulowane", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} katalog","{folderCount} katalogi","{folderCount} katalogów","{folderCount} katalogów"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} plik","{fileCount} pliki","{fileCount} plików","{fileCount} plików"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 plik i {folderCount} katalog","1 plik i {folderCount} katalogi","1 plik i {folderCount} katalogów","1 plik i {folderCount} katalogów"], diff --git a/apps/files/l10n/pl.json b/apps/files/l10n/pl.json index 12bc17b3dc6..763e3543115 100644 --- a/apps/files/l10n/pl.json +++ b/apps/files/l10n/pl.json @@ -260,7 +260,6 @@ "File successfully converted" : "Plik pomyślnie przekonwertowany", "Failed to convert file: {message}" : "Nie udało się przekonwertować pliku: {message}", "Failed to convert file" : "Nie udało się przekonwertować pliku", - "Deletion cancelled" : "Usuwanie anulowane", "Leave this share" : "Opuść te udostępnienie", "Leave these shares" : "Opuść udostępnienia", "Disconnect storage" : "Odłącz magazyn", @@ -284,7 +283,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "Nie można przenieść pliku/katalogu do tego samego katalogu lub do własnego podkatalogu", "(copy)" : "(kopiuj)", "(copy %n)" : "(kopiuj %n)", - "Move cancelled" : "Przenoszenie anulowane", "A file or folder with that name already exists in this folder" : "Plik lub katalog o tej nazwie już istnieje w tym katalogu", "The files are locked" : "Pliki są zablokowane", "The file does not exist anymore" : "Plik już nie istnieje", @@ -295,8 +293,6 @@ "Move" : "Przenieś", "Move or copy operation failed" : "Operacja przenoszenia lub kopiowania nie powiodła się", "Move or copy" : "Przenieś lub kopiuj", - "Cancelled move or copy of \"{filename}\"." : "Anulowano przeniesienie lub kopiowanie „{filename}”.", - "Cancelled move or copy operation" : "Anulowano operację przenoszenia lub kopiowania", "Open folder {displayName}" : "Otwórz katalog {displayName}", "Open in Files" : "Otwórz w Plikach", "Open locally" : "Otwórz lokalnie", @@ -321,7 +317,6 @@ "Audio" : "Dźwięk", "Photos and images" : "Zdjęcia i obrazy", "Videos" : "Filmy", - "New folder creation cancelled" : "Tworzenie nowego katalogu zostało anulowane", "Created new folder \"{name}\"" : "Utworzono nowy katalog \"{name}\"", "Unable to initialize the templates directory" : "Nie można zainicjować katalogu szablonów", "Create templates folder" : "Utwórz katalog szablonów", @@ -457,6 +452,11 @@ "Enable the grid view" : "Włącz widok siatki", "Use this address to access your Files via WebDAV" : "Użyj tego adresu, aby uzyskać dostęp do plików poprzez WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Jeśli włączyłeś 2FA, musisz utworzyć i używać nowego hasła do aplikacji, klikając tutaj.", + "Deletion cancelled" : "Usuwanie anulowane", + "Move cancelled" : "Przenoszenie anulowane", + "Cancelled move or copy of \"{filename}\"." : "Anulowano przeniesienie lub kopiowanie „{filename}”.", + "Cancelled move or copy operation" : "Anulowano operację przenoszenia lub kopiowania", + "New folder creation cancelled" : "Tworzenie nowego katalogu zostało anulowane", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} katalog","{folderCount} katalogi","{folderCount} katalogów","{folderCount} katalogów"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} plik","{fileCount} pliki","{fileCount} plików","{fileCount} plików"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 plik i {folderCount} katalog","1 plik i {folderCount} katalogi","1 plik i {folderCount} katalogów","1 plik i {folderCount} katalogów"], diff --git a/apps/files/l10n/pt_BR.js b/apps/files/l10n/pt_BR.js index 3a5c0b5af31..ad060225dd5 100644 --- a/apps/files/l10n/pt_BR.js +++ b/apps/files/l10n/pt_BR.js @@ -266,7 +266,6 @@ OC.L10N.register( "File successfully converted" : "Arquivo convertido com sucesso", "Failed to convert file: {message}" : "Falha ao converter arquivo: {message}", "Failed to convert file" : "Falha ao converter arquivo", - "Deletion cancelled" : "Operação de exclusão cancelada", "Leave this share" : "Sair deste compartilhamento", "Leave these shares" : "Sair destes compartilhamentos", "Disconnect storage" : "Desconectar armazenamento", @@ -290,7 +289,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "Não é possível mover um arquivo/pasta para ele mesmo ou para uma subpasta dele mesmo", "(copy)" : "(cópia)", "(copy %n)" : "(cópia %n)", - "Move cancelled" : "Movimento cancelado", "A file or folder with that name already exists in this folder" : "Já existe um arquivo ou uma pasta com esse nome nesta pasta", "The files are locked" : "Os arquivos estão bloqueados", "The file does not exist anymore" : "O arquivo não existe mais", @@ -301,8 +299,6 @@ OC.L10N.register( "Move" : "Mover", "Move or copy operation failed" : "Falha na operação de mover ou copiar", "Move or copy" : "Mover ou copiar", - "Cancelled move or copy of \"{filename}\"." : "Movimento ou cópia cancelada de \"{filename}\".", - "Cancelled move or copy operation" : "Operação de mover ou copiar cancelada", "Open folder {displayName}" : "Abrir a pasta {displayName}", "Open in Files" : "Abrir em Arquivos", "Open locally" : "Abrir localmente", @@ -327,7 +323,6 @@ OC.L10N.register( "Audio" : "Áudio", "Photos and images" : "Fotos e imagens", "Videos" : "Vídeos", - "New folder creation cancelled" : "Criação de nova pasta cancelada", "Created new folder \"{name}\"" : "Nova pasta \"{name}\" criada", "Unable to initialize the templates directory" : "Não foi possível inicializar o diretório de modelos", "Create templates folder" : "Criar pasta de modelos", @@ -465,6 +460,11 @@ OC.L10N.register( "Enable the grid view" : "Ativar a visualização em grade", "Use this address to access your Files via WebDAV" : "Use este endereço para acessar seus Arquivos via WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Se tiver ativado a 2FA, você deverá criar e usar uma nova senha do aplicativo clicando aqui.", + "Deletion cancelled" : "Operação de exclusão cancelada", + "Move cancelled" : "Movimento cancelado", + "Cancelled move or copy of \"{filename}\"." : "Movimento ou cópia cancelada de \"{filename}\".", + "Cancelled move or copy operation" : "Operação de mover ou copiar cancelada", + "New folder creation cancelled" : "Criação de nova pasta cancelada", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} pasta","{folderCount} de pastas","{folderCount} pastas"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} arquivo","{fileCount} de arquivos","{fileCount} arquivos"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 arquivo e {folderCount} pasta","1 arquivo e {folderCount} de pastas","1 arquivo e {folderCount} pastas"], diff --git a/apps/files/l10n/pt_BR.json b/apps/files/l10n/pt_BR.json index 03418e32744..4ea43008acb 100644 --- a/apps/files/l10n/pt_BR.json +++ b/apps/files/l10n/pt_BR.json @@ -264,7 +264,6 @@ "File successfully converted" : "Arquivo convertido com sucesso", "Failed to convert file: {message}" : "Falha ao converter arquivo: {message}", "Failed to convert file" : "Falha ao converter arquivo", - "Deletion cancelled" : "Operação de exclusão cancelada", "Leave this share" : "Sair deste compartilhamento", "Leave these shares" : "Sair destes compartilhamentos", "Disconnect storage" : "Desconectar armazenamento", @@ -288,7 +287,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "Não é possível mover um arquivo/pasta para ele mesmo ou para uma subpasta dele mesmo", "(copy)" : "(cópia)", "(copy %n)" : "(cópia %n)", - "Move cancelled" : "Movimento cancelado", "A file or folder with that name already exists in this folder" : "Já existe um arquivo ou uma pasta com esse nome nesta pasta", "The files are locked" : "Os arquivos estão bloqueados", "The file does not exist anymore" : "O arquivo não existe mais", @@ -299,8 +297,6 @@ "Move" : "Mover", "Move or copy operation failed" : "Falha na operação de mover ou copiar", "Move or copy" : "Mover ou copiar", - "Cancelled move or copy of \"{filename}\"." : "Movimento ou cópia cancelada de \"{filename}\".", - "Cancelled move or copy operation" : "Operação de mover ou copiar cancelada", "Open folder {displayName}" : "Abrir a pasta {displayName}", "Open in Files" : "Abrir em Arquivos", "Open locally" : "Abrir localmente", @@ -325,7 +321,6 @@ "Audio" : "Áudio", "Photos and images" : "Fotos e imagens", "Videos" : "Vídeos", - "New folder creation cancelled" : "Criação de nova pasta cancelada", "Created new folder \"{name}\"" : "Nova pasta \"{name}\" criada", "Unable to initialize the templates directory" : "Não foi possível inicializar o diretório de modelos", "Create templates folder" : "Criar pasta de modelos", @@ -463,6 +458,11 @@ "Enable the grid view" : "Ativar a visualização em grade", "Use this address to access your Files via WebDAV" : "Use este endereço para acessar seus Arquivos via WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Se tiver ativado a 2FA, você deverá criar e usar uma nova senha do aplicativo clicando aqui.", + "Deletion cancelled" : "Operação de exclusão cancelada", + "Move cancelled" : "Movimento cancelado", + "Cancelled move or copy of \"{filename}\"." : "Movimento ou cópia cancelada de \"{filename}\".", + "Cancelled move or copy operation" : "Operação de mover ou copiar cancelada", + "New folder creation cancelled" : "Criação de nova pasta cancelada", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} pasta","{folderCount} de pastas","{folderCount} pastas"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} arquivo","{fileCount} de arquivos","{fileCount} arquivos"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 arquivo e {folderCount} pasta","1 arquivo e {folderCount} de pastas","1 arquivo e {folderCount} pastas"], diff --git a/apps/files/l10n/ro.js b/apps/files/l10n/ro.js index 77059059f79..1b08105cd79 100644 --- a/apps/files/l10n/ro.js +++ b/apps/files/l10n/ro.js @@ -162,7 +162,6 @@ OC.L10N.register( "Move to {target}" : "Mută la {target}", "Move" : "Mută", "Move or copy" : "Mută sau copiază", - "Cancelled move or copy operation" : "Copierea sau mutarea a fost anulată", "Open folder {displayName}" : "Deschide dosarul {displayName}", "Open in Files" : "Deschide în Fișiere", "Failed to redirect to client" : "Eroare la redirectarea către client", @@ -273,6 +272,7 @@ OC.L10N.register( "Enable the grid view" : "Activați organizarea tip grilă", "Use this address to access your Files via WebDAV" : "Folosiți această adresă pentru a accesa fișierele dumneavoastră folosind WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Dacă ați activat 2FA, trebuie să creați și să folosiți o nouă parolă de aplicație, dând click aici.", + "Cancelled move or copy operation" : "Copierea sau mutarea a fost anulată", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} folder","{folderCount} foldere","{folderCount} foldere"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} fișier","{fileCount} fișiere","{fileCount} fișiere"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 fișier și {folderCount} folder","1 fișier și {folderCount} foldere","1 fișier și {folderCount} foldere"], diff --git a/apps/files/l10n/ro.json b/apps/files/l10n/ro.json index d635b50078b..15fb2e24cec 100644 --- a/apps/files/l10n/ro.json +++ b/apps/files/l10n/ro.json @@ -160,7 +160,6 @@ "Move to {target}" : "Mută la {target}", "Move" : "Mută", "Move or copy" : "Mută sau copiază", - "Cancelled move or copy operation" : "Copierea sau mutarea a fost anulată", "Open folder {displayName}" : "Deschide dosarul {displayName}", "Open in Files" : "Deschide în Fișiere", "Failed to redirect to client" : "Eroare la redirectarea către client", @@ -271,6 +270,7 @@ "Enable the grid view" : "Activați organizarea tip grilă", "Use this address to access your Files via WebDAV" : "Folosiți această adresă pentru a accesa fișierele dumneavoastră folosind WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Dacă ați activat 2FA, trebuie să creați și să folosiți o nouă parolă de aplicație, dând click aici.", + "Cancelled move or copy operation" : "Copierea sau mutarea a fost anulată", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} folder","{folderCount} foldere","{folderCount} foldere"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} fișier","{fileCount} fișiere","{fileCount} fișiere"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 fișier și {folderCount} folder","1 fișier și {folderCount} foldere","1 fișier și {folderCount} foldere"], diff --git a/apps/files/l10n/ru.js b/apps/files/l10n/ru.js index e12a382ba5b..fe56a03ba9f 100644 --- a/apps/files/l10n/ru.js +++ b/apps/files/l10n/ru.js @@ -266,7 +266,6 @@ OC.L10N.register( "File successfully converted" : "Файл успешно преобразован", "Failed to convert file: {message}" : "Не удалось преобразовать файл: {message}", "Failed to convert file" : "Не удалось преобразовать файл", - "Deletion cancelled" : "Удаление отменено", "Leave this share" : "Перестать использовать общий ресурс", "Leave these shares" : "Отказаться от доступа к общим ресурсам", "Disconnect storage" : "Отсоединить хранилище", @@ -290,7 +289,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "Папка или файл не могут быть перемещены во вложенную папку или в себя", "(copy)" : "(копия)", "(copy %n)" : "(копия %n)", - "Move cancelled" : "Перемещение отменено", "A file or folder with that name already exists in this folder" : "В этой папке уже есть файл или папка с этим именем", "The files are locked" : "Файлы заблокированы", "The file does not exist anymore" : "Файл больше не существует", @@ -301,8 +299,6 @@ OC.L10N.register( "Move" : "Переместить", "Move or copy operation failed" : "Ошибка перемещение или копирования", "Move or copy" : "Переместить или копировать", - "Cancelled move or copy of \"{filename}\"." : "Отменено перемещение или копирование \"{filename}\".", - "Cancelled move or copy operation" : "Копирование или перемещение отменено", "Open folder {displayName}" : "Открыть папку «{displayName}»", "Open in Files" : "Открыть в приложении «Файлы»", "Open locally" : "Открыть локально", @@ -327,7 +323,6 @@ OC.L10N.register( "Audio" : "Звук", "Photos and images" : "Фотографии и изображения", "Videos" : "Видео", - "New folder creation cancelled" : "Создание новой папки отменено", "Created new folder \"{name}\"" : "Создана новая папка \"{name}\"", "Unable to initialize the templates directory" : "Не удалось инициализировать каталог шаблонов", "Create templates folder" : "Создать папку шаблонов", @@ -465,6 +460,11 @@ OC.L10N.register( "Enable the grid view" : "Включить режим просмотра сеткой", "Use this address to access your Files via WebDAV" : "Используйте этот адрес для подключения WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Если вы включили двухфакторную аутентификацию, то нажмите здесь, чтобы создать пароль приложения.", + "Deletion cancelled" : "Удаление отменено", + "Move cancelled" : "Перемещение отменено", + "Cancelled move or copy of \"{filename}\"." : "Отменено перемещение или копирование \"{filename}\".", + "Cancelled move or copy operation" : "Копирование или перемещение отменено", + "New folder creation cancelled" : "Создание новой папки отменено", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} папка","{folderCount} папки","{folderCount} папок","{folderCount} папки"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} файл","{fileCount} файла","{fileCount} файлов","{fileCount} файла"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["один файл и {folderCount} папка","один файл и {folderCount} папки","один файл и {folderCount} папок","один файл и {folderCount} папки"], diff --git a/apps/files/l10n/ru.json b/apps/files/l10n/ru.json index 760f7c708b6..ea8cf4803cb 100644 --- a/apps/files/l10n/ru.json +++ b/apps/files/l10n/ru.json @@ -264,7 +264,6 @@ "File successfully converted" : "Файл успешно преобразован", "Failed to convert file: {message}" : "Не удалось преобразовать файл: {message}", "Failed to convert file" : "Не удалось преобразовать файл", - "Deletion cancelled" : "Удаление отменено", "Leave this share" : "Перестать использовать общий ресурс", "Leave these shares" : "Отказаться от доступа к общим ресурсам", "Disconnect storage" : "Отсоединить хранилище", @@ -288,7 +287,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "Папка или файл не могут быть перемещены во вложенную папку или в себя", "(copy)" : "(копия)", "(copy %n)" : "(копия %n)", - "Move cancelled" : "Перемещение отменено", "A file or folder with that name already exists in this folder" : "В этой папке уже есть файл или папка с этим именем", "The files are locked" : "Файлы заблокированы", "The file does not exist anymore" : "Файл больше не существует", @@ -299,8 +297,6 @@ "Move" : "Переместить", "Move or copy operation failed" : "Ошибка перемещение или копирования", "Move or copy" : "Переместить или копировать", - "Cancelled move or copy of \"{filename}\"." : "Отменено перемещение или копирование \"{filename}\".", - "Cancelled move or copy operation" : "Копирование или перемещение отменено", "Open folder {displayName}" : "Открыть папку «{displayName}»", "Open in Files" : "Открыть в приложении «Файлы»", "Open locally" : "Открыть локально", @@ -325,7 +321,6 @@ "Audio" : "Звук", "Photos and images" : "Фотографии и изображения", "Videos" : "Видео", - "New folder creation cancelled" : "Создание новой папки отменено", "Created new folder \"{name}\"" : "Создана новая папка \"{name}\"", "Unable to initialize the templates directory" : "Не удалось инициализировать каталог шаблонов", "Create templates folder" : "Создать папку шаблонов", @@ -463,6 +458,11 @@ "Enable the grid view" : "Включить режим просмотра сеткой", "Use this address to access your Files via WebDAV" : "Используйте этот адрес для подключения WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Если вы включили двухфакторную аутентификацию, то нажмите здесь, чтобы создать пароль приложения.", + "Deletion cancelled" : "Удаление отменено", + "Move cancelled" : "Перемещение отменено", + "Cancelled move or copy of \"{filename}\"." : "Отменено перемещение или копирование \"{filename}\".", + "Cancelled move or copy operation" : "Копирование или перемещение отменено", + "New folder creation cancelled" : "Создание новой папки отменено", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} папка","{folderCount} папки","{folderCount} папок","{folderCount} папки"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} файл","{fileCount} файла","{fileCount} файлов","{fileCount} файла"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["один файл и {folderCount} папка","один файл и {folderCount} папки","один файл и {folderCount} папок","один файл и {folderCount} папки"], diff --git a/apps/files/l10n/sc.js b/apps/files/l10n/sc.js index 6e5bd0ba904..22c4dbe1312 100644 --- a/apps/files/l10n/sc.js +++ b/apps/files/l10n/sc.js @@ -158,8 +158,6 @@ OC.L10N.register( "Move" : "Tràmuda", "Move or copy operation failed" : "Errore in s'operatzione de tràmuda o de còpia", "Move or copy" : "Tràmuda o còpia", - "Cancelled move or copy of \"{filename}\"." : "Operatzione de tràmuda o de còpia annullada pro s'archìviu: \"{filename}\".", - "Cancelled move or copy operation" : "Operatzione de tràmuda o còpia annullada", "Open folder {displayName}" : "Aberi sa cartella {displayName}", "Open in Files" : "Aberi in Archìvios", "Open locally" : "Aberi in locale", @@ -281,6 +279,8 @@ OC.L10N.register( "Enable the grid view" : "Ativa sa visualizatzione de mosàicu", "Use this address to access your Files via WebDAV" : "Imprea custu indiritzu pro intrare in archìvios tràmite WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Si as ativadu 2FA, depes creare e impreare una crae de s'aplicatzione noa incarchende inoghe.", + "Cancelled move or copy of \"{filename}\"." : "Operatzione de tràmuda o de còpia annullada pro s'archìviu: \"{filename}\".", + "Cancelled move or copy operation" : "Operatzione de tràmuda o còpia annullada", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} cartella","{folderCount} cartellas"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} archìviu","{fileCount} archìvios"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 archìviu e {folderCount} cartella","1 archìviu e {folderCount} cartellas"], diff --git a/apps/files/l10n/sc.json b/apps/files/l10n/sc.json index 11213befcf9..77952941a88 100644 --- a/apps/files/l10n/sc.json +++ b/apps/files/l10n/sc.json @@ -156,8 +156,6 @@ "Move" : "Tràmuda", "Move or copy operation failed" : "Errore in s'operatzione de tràmuda o de còpia", "Move or copy" : "Tràmuda o còpia", - "Cancelled move or copy of \"{filename}\"." : "Operatzione de tràmuda o de còpia annullada pro s'archìviu: \"{filename}\".", - "Cancelled move or copy operation" : "Operatzione de tràmuda o còpia annullada", "Open folder {displayName}" : "Aberi sa cartella {displayName}", "Open in Files" : "Aberi in Archìvios", "Open locally" : "Aberi in locale", @@ -279,6 +277,8 @@ "Enable the grid view" : "Ativa sa visualizatzione de mosàicu", "Use this address to access your Files via WebDAV" : "Imprea custu indiritzu pro intrare in archìvios tràmite WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Si as ativadu 2FA, depes creare e impreare una crae de s'aplicatzione noa incarchende inoghe.", + "Cancelled move or copy of \"{filename}\"." : "Operatzione de tràmuda o de còpia annullada pro s'archìviu: \"{filename}\".", + "Cancelled move or copy operation" : "Operatzione de tràmuda o còpia annullada", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} cartella","{folderCount} cartellas"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} archìviu","{fileCount} archìvios"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 archìviu e {folderCount} cartella","1 archìviu e {folderCount} cartellas"], diff --git a/apps/files/l10n/sk.js b/apps/files/l10n/sk.js index e146a19bbfa..031a78bfbef 100644 --- a/apps/files/l10n/sk.js +++ b/apps/files/l10n/sk.js @@ -244,7 +244,6 @@ OC.L10N.register( "File successfully converted" : "Súbor bol úspešne skonvertovaný", "Failed to convert file: {message}" : "Nepodarilo sa skonvertovať súbor: {message}", "Failed to convert file" : "Konverzia súboru zlyhala", - "Deletion cancelled" : "Zmazanie zrušené", "Leave this share" : "Opustiť toto zdieľanie.", "Leave these shares" : "Opustiť tieto zdieľania.", "Disconnect storage" : "Odpojiť úložisko", @@ -268,7 +267,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "Nemôžete presunúť súbor/priečinok do seba alebo do jeho podpriečinka.", "(copy)" : "(kopírovať)", "(copy %n)" : "(kopírovať %n)", - "Move cancelled" : "Presun zrušený", "A file or folder with that name already exists in this folder" : "Súbor alebo priečinok s týmto názvom už existuje v tomto priečinku", "The files are locked" : "Súbory sú uzamknuté.", "The file does not exist anymore" : "Súbor už neexistuje", @@ -279,8 +277,6 @@ OC.L10N.register( "Move" : "Presunúť", "Move or copy operation failed" : "Operácia presunu alebo kopírovania zlyhala", "Move or copy" : "Presunúť alebo kopírovať", - "Cancelled move or copy of \"{filename}\"." : "Zrušené kopírovanie alebo presun \"{filename}\".", - "Cancelled move or copy operation" : "Zrušená operácia kopírovania alebo presunu", "Open folder {displayName}" : "Otvoriť priečinok {displayName}", "Open in Files" : "Otvoriť v súboroch", "Open locally" : "Otvoriť lokálne", @@ -305,7 +301,6 @@ OC.L10N.register( "Audio" : "Zvuk", "Photos and images" : "Fotky a obrázky", "Videos" : "Videá", - "New folder creation cancelled" : "Vytvorenie adresára bolo zrušené", "Created new folder \"{name}\"" : "Vytvorený nový priečinok \"{name}\"", "Unable to initialize the templates directory" : "Nemôžem inicializovať priečinok so šablónami", "Create templates folder" : "Vytvoriť adresár pre šablóny", @@ -439,6 +434,11 @@ OC.L10N.register( "Enable the grid view" : "Povoliť zobrazenie v mriežke", "Use this address to access your Files via WebDAV" : "Táto adresa sa používa na prístup k vašim súborom prostredníctvom WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Ak ste povolili 2FA, musíte kliknutím sem vytvoriť a použiť nové heslo pre aplikáciu.", + "Deletion cancelled" : "Zmazanie zrušené", + "Move cancelled" : "Presun zrušený", + "Cancelled move or copy of \"{filename}\"." : "Zrušené kopírovanie alebo presun \"{filename}\".", + "Cancelled move or copy operation" : "Zrušená operácia kopírovania alebo presunu", + "New folder creation cancelled" : "Vytvorenie adresára bolo zrušené", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} priečinok","{folderCount} priečinky","{folderCount} priečinkov","{folderCount} priečinkov"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} súbor","{fileCount} súbory","{fileCount} súborov","{fileCount} súborov"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 súbor a {folderCount} priečinok","1 súbor a {folderCount} priečinky","1 súbor a {folderCount} priečinky","1 súbor a {folderCount} priečinky"], diff --git a/apps/files/l10n/sk.json b/apps/files/l10n/sk.json index 597a2acddcc..b20a26fb099 100644 --- a/apps/files/l10n/sk.json +++ b/apps/files/l10n/sk.json @@ -242,7 +242,6 @@ "File successfully converted" : "Súbor bol úspešne skonvertovaný", "Failed to convert file: {message}" : "Nepodarilo sa skonvertovať súbor: {message}", "Failed to convert file" : "Konverzia súboru zlyhala", - "Deletion cancelled" : "Zmazanie zrušené", "Leave this share" : "Opustiť toto zdieľanie.", "Leave these shares" : "Opustiť tieto zdieľania.", "Disconnect storage" : "Odpojiť úložisko", @@ -266,7 +265,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "Nemôžete presunúť súbor/priečinok do seba alebo do jeho podpriečinka.", "(copy)" : "(kopírovať)", "(copy %n)" : "(kopírovať %n)", - "Move cancelled" : "Presun zrušený", "A file or folder with that name already exists in this folder" : "Súbor alebo priečinok s týmto názvom už existuje v tomto priečinku", "The files are locked" : "Súbory sú uzamknuté.", "The file does not exist anymore" : "Súbor už neexistuje", @@ -277,8 +275,6 @@ "Move" : "Presunúť", "Move or copy operation failed" : "Operácia presunu alebo kopírovania zlyhala", "Move or copy" : "Presunúť alebo kopírovať", - "Cancelled move or copy of \"{filename}\"." : "Zrušené kopírovanie alebo presun \"{filename}\".", - "Cancelled move or copy operation" : "Zrušená operácia kopírovania alebo presunu", "Open folder {displayName}" : "Otvoriť priečinok {displayName}", "Open in Files" : "Otvoriť v súboroch", "Open locally" : "Otvoriť lokálne", @@ -303,7 +299,6 @@ "Audio" : "Zvuk", "Photos and images" : "Fotky a obrázky", "Videos" : "Videá", - "New folder creation cancelled" : "Vytvorenie adresára bolo zrušené", "Created new folder \"{name}\"" : "Vytvorený nový priečinok \"{name}\"", "Unable to initialize the templates directory" : "Nemôžem inicializovať priečinok so šablónami", "Create templates folder" : "Vytvoriť adresár pre šablóny", @@ -437,6 +432,11 @@ "Enable the grid view" : "Povoliť zobrazenie v mriežke", "Use this address to access your Files via WebDAV" : "Táto adresa sa používa na prístup k vašim súborom prostredníctvom WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Ak ste povolili 2FA, musíte kliknutím sem vytvoriť a použiť nové heslo pre aplikáciu.", + "Deletion cancelled" : "Zmazanie zrušené", + "Move cancelled" : "Presun zrušený", + "Cancelled move or copy of \"{filename}\"." : "Zrušené kopírovanie alebo presun \"{filename}\".", + "Cancelled move or copy operation" : "Zrušená operácia kopírovania alebo presunu", + "New folder creation cancelled" : "Vytvorenie adresára bolo zrušené", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} priečinok","{folderCount} priečinky","{folderCount} priečinkov","{folderCount} priečinkov"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} súbor","{fileCount} súbory","{fileCount} súborov","{fileCount} súborov"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 súbor a {folderCount} priečinok","1 súbor a {folderCount} priečinky","1 súbor a {folderCount} priečinky","1 súbor a {folderCount} priečinky"], diff --git a/apps/files/l10n/sl.js b/apps/files/l10n/sl.js index 175529f4a2d..ed488c681a7 100644 --- a/apps/files/l10n/sl.js +++ b/apps/files/l10n/sl.js @@ -244,7 +244,6 @@ OC.L10N.register( "File successfully converted" : "Datoteka je uspešno pretvorjena", "Failed to convert file: {message}" : "Pretvarjanje datoteek je spodletelo: {message}", "Failed to convert file" : "Pretvarjanje datoteke je spodletelo", - "Deletion cancelled" : "Brisanje je bilo preklicano", "Leave this share" : "Prekini to souporabo", "Leave these shares" : "Prekini to souporabo", "Disconnect storage" : "Odklopi shrambo", @@ -268,7 +267,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "Mape ali datoteke ni mogoče premakniti samo vase oziroma v podmapo same sebe", "(copy)" : "(kopija)", "(copy %n)" : "(kopija %n)", - "Move cancelled" : "Premikanje je bilo preklicano", "A file or folder with that name already exists in this folder" : "Datoteka oziroma mapa s tem imenom v tej mapi že obstaja", "The files are locked" : "Datoteke so zaklenjene", "The file does not exist anymore" : "Datoteka ne obstaja več", @@ -279,8 +277,6 @@ OC.L10N.register( "Move" : "Premakni", "Move or copy operation failed" : "Opravilo kopiranja oziroma premikanja je spodletelo", "Move or copy" : "Premakni ali kopiraj", - "Cancelled move or copy of \"{filename}\"." : "Prekinjeno premikanje ali kopiranje za \"{filename}\".", - "Cancelled move or copy operation" : "Opravilo kopiranje in premikanja je preklicano", "Open folder {displayName}" : "Odpri mapo {displayName}", "Open in Files" : "Open in Files", "Open locally" : "Odpri krajevno", @@ -305,7 +301,6 @@ OC.L10N.register( "Audio" : "Zvočni posnetek", "Photos and images" : "Slike in fotografije", "Videos" : "Video posnetki", - "New folder creation cancelled" : "Ustvarjanje nove mape je bilo preklicano", "Created new folder \"{name}\"" : "Ustvarjena je nova mapa »{name}«.", "Unable to initialize the templates directory" : "Ni mogoče začeti mape predlog", "Create templates folder" : "Ustvari mapo predlog", @@ -438,6 +433,11 @@ OC.L10N.register( "Enable the grid view" : "Omogoči mrežni pogled", "Use this address to access your Files via WebDAV" : "Uporabite ta naslov za dostop do datotek z uporabo WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Če je omogočen sistem dvostopenjskega overjanja 2FA, je treba ustvariti in uporabiti novo geslo programa s klikom na to mesto.", + "Deletion cancelled" : "Brisanje je bilo preklicano", + "Move cancelled" : "Premikanje je bilo preklicano", + "Cancelled move or copy of \"{filename}\"." : "Prekinjeno premikanje ali kopiranje za \"{filename}\".", + "Cancelled move or copy operation" : "Opravilo kopiranje in premikanja je preklicano", + "New folder creation cancelled" : "Ustvarjanje nove mape je bilo preklicano", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} mapa","{folderCount} mapi","{folderCount} mape","{folderCount} map"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} datoteka","{fileCount} datoteki","{fileCount} datoteke","{fileCount} datotek"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 datoteka in {folderCount} mapa","1 datoteka in {folderCount} mapi","1 datoteka in {folderCount} mape","1 datoteka in {folderCount} map"], diff --git a/apps/files/l10n/sl.json b/apps/files/l10n/sl.json index faa41052027..60bf63aa5e1 100644 --- a/apps/files/l10n/sl.json +++ b/apps/files/l10n/sl.json @@ -242,7 +242,6 @@ "File successfully converted" : "Datoteka je uspešno pretvorjena", "Failed to convert file: {message}" : "Pretvarjanje datoteek je spodletelo: {message}", "Failed to convert file" : "Pretvarjanje datoteke je spodletelo", - "Deletion cancelled" : "Brisanje je bilo preklicano", "Leave this share" : "Prekini to souporabo", "Leave these shares" : "Prekini to souporabo", "Disconnect storage" : "Odklopi shrambo", @@ -266,7 +265,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "Mape ali datoteke ni mogoče premakniti samo vase oziroma v podmapo same sebe", "(copy)" : "(kopija)", "(copy %n)" : "(kopija %n)", - "Move cancelled" : "Premikanje je bilo preklicano", "A file or folder with that name already exists in this folder" : "Datoteka oziroma mapa s tem imenom v tej mapi že obstaja", "The files are locked" : "Datoteke so zaklenjene", "The file does not exist anymore" : "Datoteka ne obstaja več", @@ -277,8 +275,6 @@ "Move" : "Premakni", "Move or copy operation failed" : "Opravilo kopiranja oziroma premikanja je spodletelo", "Move or copy" : "Premakni ali kopiraj", - "Cancelled move or copy of \"{filename}\"." : "Prekinjeno premikanje ali kopiranje za \"{filename}\".", - "Cancelled move or copy operation" : "Opravilo kopiranje in premikanja je preklicano", "Open folder {displayName}" : "Odpri mapo {displayName}", "Open in Files" : "Open in Files", "Open locally" : "Odpri krajevno", @@ -303,7 +299,6 @@ "Audio" : "Zvočni posnetek", "Photos and images" : "Slike in fotografije", "Videos" : "Video posnetki", - "New folder creation cancelled" : "Ustvarjanje nove mape je bilo preklicano", "Created new folder \"{name}\"" : "Ustvarjena je nova mapa »{name}«.", "Unable to initialize the templates directory" : "Ni mogoče začeti mape predlog", "Create templates folder" : "Ustvari mapo predlog", @@ -436,6 +431,11 @@ "Enable the grid view" : "Omogoči mrežni pogled", "Use this address to access your Files via WebDAV" : "Uporabite ta naslov za dostop do datotek z uporabo WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Če je omogočen sistem dvostopenjskega overjanja 2FA, je treba ustvariti in uporabiti novo geslo programa s klikom na to mesto.", + "Deletion cancelled" : "Brisanje je bilo preklicano", + "Move cancelled" : "Premikanje je bilo preklicano", + "Cancelled move or copy of \"{filename}\"." : "Prekinjeno premikanje ali kopiranje za \"{filename}\".", + "Cancelled move or copy operation" : "Opravilo kopiranje in premikanja je preklicano", + "New folder creation cancelled" : "Ustvarjanje nove mape je bilo preklicano", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} mapa","{folderCount} mapi","{folderCount} mape","{folderCount} map"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} datoteka","{fileCount} datoteki","{fileCount} datoteke","{fileCount} datotek"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 datoteka in {folderCount} mapa","1 datoteka in {folderCount} mapi","1 datoteka in {folderCount} mape","1 datoteka in {folderCount} map"], diff --git a/apps/files/l10n/sr.js b/apps/files/l10n/sr.js index 6e29a7c546b..dca664cab0f 100644 --- a/apps/files/l10n/sr.js +++ b/apps/files/l10n/sr.js @@ -261,7 +261,6 @@ OC.L10N.register( "File successfully converted" : "Фајл је успешно конвертован", "Failed to convert file: {message}" : "Није успела конверзија фајла: {message}", "Failed to convert file" : "Фајл није могао да се конвертује", - "Deletion cancelled" : "Брисање је отказано", "Leave this share" : "Напусти ово дељење", "Leave these shares" : "Напусти ова дељења", "Disconnect storage" : "Искључи складиште", @@ -285,7 +284,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "Фајл/фолдер не можете да преместите у самог себе или у његов подфолдер", "(copy)" : "(копиран)", "(copy %n)" : "(копирано %n)", - "Move cancelled" : "Премештање је отказано", "A file or folder with that name already exists in this folder" : "У овом фолдеру већ постоји фајл или фолдер са тим именом", "The files are locked" : "Фајлови су закључани", "The file does not exist anymore" : "Фајл више не постоји", @@ -296,8 +294,6 @@ OC.L10N.register( "Move" : "Помери", "Move or copy operation failed" : "Није успела операција премештања или копирања", "Move or copy" : "Помери или копирај", - "Cancelled move or copy of \"{filename}\"." : "Операција премештања или копирања „{filename}” је отказана.", - "Cancelled move or copy operation" : "Операција премештања или копирања је отказана", "Open folder {displayName}" : "Отвори фолдер {displayName}", "Open in Files" : "Отвори у Фајловима", "Open locally" : "Отвори локално", @@ -322,7 +318,6 @@ OC.L10N.register( "Audio" : "Звук", "Photos and images" : "Фотографије и слике", "Videos" : "Видео снимци", - "New folder creation cancelled" : "Отказане је креирање новог фолдера", "Created new folder \"{name}\"" : "Креиран је нови фолдер „{name}”", "Unable to initialize the templates directory" : "Фолдер са шаблонима није могао да се иницијализује", "Create templates folder" : "Креирај фолдер шаблона", @@ -458,6 +453,11 @@ OC.L10N.register( "Enable the grid view" : "Укључи приказ мреже", "Use this address to access your Files via WebDAV" : "Користи ову адресу да приступате Вашим фајловима преко ВебДАВа", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Ако сте укључили 2FA, морате кликом овде да крерате нову лозинку апликације.", + "Deletion cancelled" : "Брисање је отказано", + "Move cancelled" : "Премештање је отказано", + "Cancelled move or copy of \"{filename}\"." : "Операција премештања или копирања „{filename}” је отказана.", + "Cancelled move or copy operation" : "Операција премештања или копирања је отказана", + "New folder creation cancelled" : "Отказане је креирање новог фолдера", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} фолдер","{folderCount} фолдера","{folderCount} фолдера"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} фајл","{fileCount} фајла","{fileCount} фајлова"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 фајл и {folderCount} фолдер","1 фајл и {folderCount} фолдера","1 фајл и {folderCount} фолдера"], diff --git a/apps/files/l10n/sr.json b/apps/files/l10n/sr.json index 067ec0914db..b1cadb992d8 100644 --- a/apps/files/l10n/sr.json +++ b/apps/files/l10n/sr.json @@ -259,7 +259,6 @@ "File successfully converted" : "Фајл је успешно конвертован", "Failed to convert file: {message}" : "Није успела конверзија фајла: {message}", "Failed to convert file" : "Фајл није могао да се конвертује", - "Deletion cancelled" : "Брисање је отказано", "Leave this share" : "Напусти ово дељење", "Leave these shares" : "Напусти ова дељења", "Disconnect storage" : "Искључи складиште", @@ -283,7 +282,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "Фајл/фолдер не можете да преместите у самог себе или у његов подфолдер", "(copy)" : "(копиран)", "(copy %n)" : "(копирано %n)", - "Move cancelled" : "Премештање је отказано", "A file or folder with that name already exists in this folder" : "У овом фолдеру већ постоји фајл или фолдер са тим именом", "The files are locked" : "Фајлови су закључани", "The file does not exist anymore" : "Фајл више не постоји", @@ -294,8 +292,6 @@ "Move" : "Помери", "Move or copy operation failed" : "Није успела операција премештања или копирања", "Move or copy" : "Помери или копирај", - "Cancelled move or copy of \"{filename}\"." : "Операција премештања или копирања „{filename}” је отказана.", - "Cancelled move or copy operation" : "Операција премештања или копирања је отказана", "Open folder {displayName}" : "Отвори фолдер {displayName}", "Open in Files" : "Отвори у Фајловима", "Open locally" : "Отвори локално", @@ -320,7 +316,6 @@ "Audio" : "Звук", "Photos and images" : "Фотографије и слике", "Videos" : "Видео снимци", - "New folder creation cancelled" : "Отказане је креирање новог фолдера", "Created new folder \"{name}\"" : "Креиран је нови фолдер „{name}”", "Unable to initialize the templates directory" : "Фолдер са шаблонима није могао да се иницијализује", "Create templates folder" : "Креирај фолдер шаблона", @@ -456,6 +451,11 @@ "Enable the grid view" : "Укључи приказ мреже", "Use this address to access your Files via WebDAV" : "Користи ову адресу да приступате Вашим фајловима преко ВебДАВа", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Ако сте укључили 2FA, морате кликом овде да крерате нову лозинку апликације.", + "Deletion cancelled" : "Брисање је отказано", + "Move cancelled" : "Премештање је отказано", + "Cancelled move or copy of \"{filename}\"." : "Операција премештања или копирања „{filename}” је отказана.", + "Cancelled move or copy operation" : "Операција премештања или копирања је отказана", + "New folder creation cancelled" : "Отказане је креирање новог фолдера", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} фолдер","{folderCount} фолдера","{folderCount} фолдера"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} фајл","{fileCount} фајла","{fileCount} фајлова"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 фајл и {folderCount} фолдер","1 фајл и {folderCount} фолдера","1 фајл и {folderCount} фолдера"], diff --git a/apps/files/l10n/sv.js b/apps/files/l10n/sv.js index 7ae8a549e5d..e0ca3430995 100644 --- a/apps/files/l10n/sv.js +++ b/apps/files/l10n/sv.js @@ -266,7 +266,6 @@ OC.L10N.register( "File successfully converted" : "Filen har konverterats", "Failed to convert file: {message}" : "Kunde inte konvertera filen: {message}", "Failed to convert file" : "Kunde inte konvertera filen", - "Deletion cancelled" : "Radering avbruten", "Leave this share" : "Lämna denna delning", "Leave these shares" : "Lämna dessa delningar", "Disconnect storage" : "Koppla bort lagring", @@ -290,7 +289,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "Du kan inte flytta en fil/mapp till sig själv eller till en undermapp till sig själv", "(copy)" : "(kopia)", "(copy %n)" : "(kopia %n)", - "Move cancelled" : "Flytt avbruten", "A file or folder with that name already exists in this folder" : "En fil eller mapp med det namnet finns redan i den här mappen", "The files are locked" : "Filerna är låsta", "The file does not exist anymore" : "Filen finns inte längre", @@ -301,8 +299,6 @@ OC.L10N.register( "Move" : "Flytta", "Move or copy operation failed" : "Flytta eller kopiera misslyckades", "Move or copy" : "Flytta eller kopiera", - "Cancelled move or copy of \"{filename}\"." : "Avbröt flytt eller kopiering av \"{filename}\".", - "Cancelled move or copy operation" : "Flytta eller kopiera avbröts", "Open folder {displayName}" : "Öppna mappen {displayName}", "Open in Files" : "Öppna i Filer", "Open locally" : "Öppna lokalt", @@ -327,7 +323,6 @@ OC.L10N.register( "Audio" : "Ljud", "Photos and images" : "Foton och bilder", "Videos" : "Videor", - "New folder creation cancelled" : "Skapandet av ny mapp avbröts", "Created new folder \"{name}\"" : "Skapat ny mapp \"{name}\"", "Unable to initialize the templates directory" : "Kunde inte initialisera mall-mappen", "Create templates folder" : "Skapa mallmapp", @@ -465,6 +460,11 @@ OC.L10N.register( "Enable the grid view" : "Aktivera rutnätsvy", "Use this address to access your Files via WebDAV" : "Använd denna adress för att komma åt dina filer med WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Om du har aktiverat 2FA måste du skapa och använda ett nytt applösenord genom att klicka här.", + "Deletion cancelled" : "Radering avbruten", + "Move cancelled" : "Flytt avbruten", + "Cancelled move or copy of \"{filename}\"." : "Avbröt flytt eller kopiering av \"{filename}\".", + "Cancelled move or copy operation" : "Flytta eller kopiera avbröts", + "New folder creation cancelled" : "Skapandet av ny mapp avbröts", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} mapp","{folderCount} mappar"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} fil","{fileCount} filer"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 fil och {folderCount} mapp","1 fil och {folderCount} mappar"], diff --git a/apps/files/l10n/sv.json b/apps/files/l10n/sv.json index 72012bbf23a..9e240802e75 100644 --- a/apps/files/l10n/sv.json +++ b/apps/files/l10n/sv.json @@ -264,7 +264,6 @@ "File successfully converted" : "Filen har konverterats", "Failed to convert file: {message}" : "Kunde inte konvertera filen: {message}", "Failed to convert file" : "Kunde inte konvertera filen", - "Deletion cancelled" : "Radering avbruten", "Leave this share" : "Lämna denna delning", "Leave these shares" : "Lämna dessa delningar", "Disconnect storage" : "Koppla bort lagring", @@ -288,7 +287,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "Du kan inte flytta en fil/mapp till sig själv eller till en undermapp till sig själv", "(copy)" : "(kopia)", "(copy %n)" : "(kopia %n)", - "Move cancelled" : "Flytt avbruten", "A file or folder with that name already exists in this folder" : "En fil eller mapp med det namnet finns redan i den här mappen", "The files are locked" : "Filerna är låsta", "The file does not exist anymore" : "Filen finns inte längre", @@ -299,8 +297,6 @@ "Move" : "Flytta", "Move or copy operation failed" : "Flytta eller kopiera misslyckades", "Move or copy" : "Flytta eller kopiera", - "Cancelled move or copy of \"{filename}\"." : "Avbröt flytt eller kopiering av \"{filename}\".", - "Cancelled move or copy operation" : "Flytta eller kopiera avbröts", "Open folder {displayName}" : "Öppna mappen {displayName}", "Open in Files" : "Öppna i Filer", "Open locally" : "Öppna lokalt", @@ -325,7 +321,6 @@ "Audio" : "Ljud", "Photos and images" : "Foton och bilder", "Videos" : "Videor", - "New folder creation cancelled" : "Skapandet av ny mapp avbröts", "Created new folder \"{name}\"" : "Skapat ny mapp \"{name}\"", "Unable to initialize the templates directory" : "Kunde inte initialisera mall-mappen", "Create templates folder" : "Skapa mallmapp", @@ -463,6 +458,11 @@ "Enable the grid view" : "Aktivera rutnätsvy", "Use this address to access your Files via WebDAV" : "Använd denna adress för att komma åt dina filer med WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Om du har aktiverat 2FA måste du skapa och använda ett nytt applösenord genom att klicka här.", + "Deletion cancelled" : "Radering avbruten", + "Move cancelled" : "Flytt avbruten", + "Cancelled move or copy of \"{filename}\"." : "Avbröt flytt eller kopiering av \"{filename}\".", + "Cancelled move or copy operation" : "Flytta eller kopiera avbröts", + "New folder creation cancelled" : "Skapandet av ny mapp avbröts", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} mapp","{folderCount} mappar"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} fil","{fileCount} filer"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 fil och {folderCount} mapp","1 fil och {folderCount} mappar"], diff --git a/apps/files/l10n/sw.js b/apps/files/l10n/sw.js index a19c26bde65..936739f59ce 100644 --- a/apps/files/l10n/sw.js +++ b/apps/files/l10n/sw.js @@ -266,7 +266,6 @@ OC.L10N.register( "File successfully converted" : "Faili imegeuzwa kikamilifu", "Failed to convert file: {message}" : "Imeshindwa kugeuza faili {message}", "Failed to convert file" : "Imeshindwa kugeuza faili", - "Deletion cancelled" : "Ufutaji umesitishwa", "Leave this share" : "Ondoa ushirikishaji huu", "Leave these shares" : "Ondoa shiriki hizi", "Disconnect storage" : "Achanisha uhifadhi", @@ -290,7 +289,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "Huwezi kuhamisha faili/folda kwenye yenyewe au kwenye folda yenyewe", "(copy)" : "(nakili)", "(copy %n)" : "(nakili %n)", - "Move cancelled" : "Uhamishaji umeghairishwa", "A file or folder with that name already exists in this folder" : "Faili au kisanduku chenye jina hilo tayari kipo katika kisanduku hiki", "The files are locked" : "Faili zimezuiliwa", "The file does not exist anymore" : "Faili halipo tena", @@ -301,8 +299,6 @@ OC.L10N.register( "Move" : "Hamisha", "Move or copy operation failed" : "Operesheni ya kuhamisha au kunakili imeshindikana", "Move or copy" : "Hamisha au nakili", - "Cancelled move or copy of \"{filename}\"." : "Imesitisha uhamishaji au unakili wa \"{filename}\"", - "Cancelled move or copy operation" : "Imesitisha operesheni ya uhamishaji au unakili", "Open folder {displayName}" : "Fungua kisanduku {displayName}", "Open in Files" : "Fungua ndani ya faili", "Open locally" : "Fungua kikawaida", @@ -327,7 +323,6 @@ OC.L10N.register( "Audio" : "Sauti", "Photos and images" : "Picha na taswira", "Videos" : "Picha mjongeo", - "New folder creation cancelled" : "Utengenezaji wa kisanduku kipya umesitishwa", "Created new folder \"{name}\"" : "Imetengeneza kisanduku kipya \"{name}\"", "Unable to initialize the templates directory" : "Haikuweza kuanzisha saraka ya violezo", "Create templates folder" : "Imetengeneza kisanduku cha violezo", @@ -465,6 +460,11 @@ OC.L10N.register( "Enable the grid view" : "Wezesha mwonekano wa gridi", "Use this address to access your Files via WebDAV" : "Tumia anwani hii kufikia Faili zako kupitia WavutiDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Ikiwa umewasha 2FA, lazima uunde na utumie nenosiri jipya la programu kwa kubofya hapa", + "Deletion cancelled" : "Ufutaji umesitishwa", + "Move cancelled" : "Uhamishaji umeghairishwa", + "Cancelled move or copy of \"{filename}\"." : "Imesitisha uhamishaji au unakili wa \"{filename}\"", + "Cancelled move or copy operation" : "Imesitisha operesheni ya uhamishaji au unakili", + "New folder creation cancelled" : "Utengenezaji wa kisanduku kipya umesitishwa", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} folder","Visandiku {folderCount} "], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} file","Faili {fileCount} "], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 file and {folderCount} folder","Faili 1 na {folderCount} makasha"], diff --git a/apps/files/l10n/sw.json b/apps/files/l10n/sw.json index eb0d873d19d..171e73b6e69 100644 --- a/apps/files/l10n/sw.json +++ b/apps/files/l10n/sw.json @@ -264,7 +264,6 @@ "File successfully converted" : "Faili imegeuzwa kikamilifu", "Failed to convert file: {message}" : "Imeshindwa kugeuza faili {message}", "Failed to convert file" : "Imeshindwa kugeuza faili", - "Deletion cancelled" : "Ufutaji umesitishwa", "Leave this share" : "Ondoa ushirikishaji huu", "Leave these shares" : "Ondoa shiriki hizi", "Disconnect storage" : "Achanisha uhifadhi", @@ -288,7 +287,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "Huwezi kuhamisha faili/folda kwenye yenyewe au kwenye folda yenyewe", "(copy)" : "(nakili)", "(copy %n)" : "(nakili %n)", - "Move cancelled" : "Uhamishaji umeghairishwa", "A file or folder with that name already exists in this folder" : "Faili au kisanduku chenye jina hilo tayari kipo katika kisanduku hiki", "The files are locked" : "Faili zimezuiliwa", "The file does not exist anymore" : "Faili halipo tena", @@ -299,8 +297,6 @@ "Move" : "Hamisha", "Move or copy operation failed" : "Operesheni ya kuhamisha au kunakili imeshindikana", "Move or copy" : "Hamisha au nakili", - "Cancelled move or copy of \"{filename}\"." : "Imesitisha uhamishaji au unakili wa \"{filename}\"", - "Cancelled move or copy operation" : "Imesitisha operesheni ya uhamishaji au unakili", "Open folder {displayName}" : "Fungua kisanduku {displayName}", "Open in Files" : "Fungua ndani ya faili", "Open locally" : "Fungua kikawaida", @@ -325,7 +321,6 @@ "Audio" : "Sauti", "Photos and images" : "Picha na taswira", "Videos" : "Picha mjongeo", - "New folder creation cancelled" : "Utengenezaji wa kisanduku kipya umesitishwa", "Created new folder \"{name}\"" : "Imetengeneza kisanduku kipya \"{name}\"", "Unable to initialize the templates directory" : "Haikuweza kuanzisha saraka ya violezo", "Create templates folder" : "Imetengeneza kisanduku cha violezo", @@ -463,6 +458,11 @@ "Enable the grid view" : "Wezesha mwonekano wa gridi", "Use this address to access your Files via WebDAV" : "Tumia anwani hii kufikia Faili zako kupitia WavutiDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Ikiwa umewasha 2FA, lazima uunde na utumie nenosiri jipya la programu kwa kubofya hapa", + "Deletion cancelled" : "Ufutaji umesitishwa", + "Move cancelled" : "Uhamishaji umeghairishwa", + "Cancelled move or copy of \"{filename}\"." : "Imesitisha uhamishaji au unakili wa \"{filename}\"", + "Cancelled move or copy operation" : "Imesitisha operesheni ya uhamishaji au unakili", + "New folder creation cancelled" : "Utengenezaji wa kisanduku kipya umesitishwa", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} folder","Visandiku {folderCount} "], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} file","Faili {fileCount} "], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 file and {folderCount} folder","Faili 1 na {folderCount} makasha"], diff --git a/apps/files/l10n/tr.js b/apps/files/l10n/tr.js index 19621432ff8..cd540571514 100644 --- a/apps/files/l10n/tr.js +++ b/apps/files/l10n/tr.js @@ -262,7 +262,6 @@ OC.L10N.register( "File successfully converted" : "Dosya dönüştürüldü", "Failed to convert file: {message}" : "Dosya dönüştürülemedi: {message}", "Failed to convert file" : "Dosya dönüştürülemedi", - "Deletion cancelled" : "Silme iptal edildi", "Leave this share" : "Bu paylaşımdan ayrıl", "Leave these shares" : "Bu paylaşımlardan ayrıl", "Disconnect storage" : "Depolama bağlantısını kes", @@ -286,7 +285,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "Bir dosyayı ya da klasörü kendi üzerine veya kendisinin alt klasörüne taşıyamazsınız", "(copy)" : "(kopya)", "(copy %n)" : "(%n kopyası)", - "Move cancelled" : "Taşıma iptal edildi", "A file or folder with that name already exists in this folder" : "Bu klasörde aynı adlı bir dosya ya da klasör zaten var", "The files are locked" : "Dosyalar kilitli", "The file does not exist anymore" : "Dosya artık yok", @@ -297,8 +295,6 @@ OC.L10N.register( "Move" : "Taşı", "Move or copy operation failed" : "Taşıma ya da kopyalama yapılamadı", "Move or copy" : "Taşı ya da kopyala", - "Cancelled move or copy of \"{filename}\"." : "\"{filename}\" dosyasını taşıma ya da kopyalama işlemi iptal edildi", - "Cancelled move or copy operation" : "Taşıma ya da kopyalama işlemi iptal edildi", "Open folder {displayName}" : "{displayName} klasörünü aç", "Open in Files" : "Dosyalar uygulamasında aç", "Open locally" : "Yerel olarak aç", @@ -323,7 +319,6 @@ OC.L10N.register( "Audio" : "Ses", "Photos and images" : "Fotoğraflar ve görseller", "Videos" : "Görüntüler", - "New folder creation cancelled" : "Yeni klasör oluşturma işlemi iptal edildi", "Created new folder \"{name}\"" : "\"{name}\" yeni klasörü oluşturuldu", "Unable to initialize the templates directory" : "Kalıp klasörü hazırlanamadı", "Create templates folder" : "Kalıplar klasörü oluştur", @@ -459,6 +454,11 @@ OC.L10N.register( "Enable the grid view" : "Tablo görünümü kullanılsın", "Use this address to access your Files via WebDAV" : "Dosyalarınıza WebDAV üzerinden erişmek için bu adresi kullanın", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "İki adımlı doğrulamayı açtıysanız buraya tıklayarak yeni bir uygulama parolası oluşturmalısınız.", + "Deletion cancelled" : "Silme iptal edildi", + "Move cancelled" : "Taşıma iptal edildi", + "Cancelled move or copy of \"{filename}\"." : "\"{filename}\" dosyasını taşıma ya da kopyalama işlemi iptal edildi", + "Cancelled move or copy operation" : "Taşıma ya da kopyalama işlemi iptal edildi", + "New folder creation cancelled" : "Yeni klasör oluşturma işlemi iptal edildi", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} klasör","{folderCount} klasör"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} dosya","{fileCount} dosya"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 dosya ve {folderCount} klasör","1 dosya ve {folderCount} klasör"], diff --git a/apps/files/l10n/tr.json b/apps/files/l10n/tr.json index b74788c9239..33a8eb14ec5 100644 --- a/apps/files/l10n/tr.json +++ b/apps/files/l10n/tr.json @@ -260,7 +260,6 @@ "File successfully converted" : "Dosya dönüştürüldü", "Failed to convert file: {message}" : "Dosya dönüştürülemedi: {message}", "Failed to convert file" : "Dosya dönüştürülemedi", - "Deletion cancelled" : "Silme iptal edildi", "Leave this share" : "Bu paylaşımdan ayrıl", "Leave these shares" : "Bu paylaşımlardan ayrıl", "Disconnect storage" : "Depolama bağlantısını kes", @@ -284,7 +283,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "Bir dosyayı ya da klasörü kendi üzerine veya kendisinin alt klasörüne taşıyamazsınız", "(copy)" : "(kopya)", "(copy %n)" : "(%n kopyası)", - "Move cancelled" : "Taşıma iptal edildi", "A file or folder with that name already exists in this folder" : "Bu klasörde aynı adlı bir dosya ya da klasör zaten var", "The files are locked" : "Dosyalar kilitli", "The file does not exist anymore" : "Dosya artık yok", @@ -295,8 +293,6 @@ "Move" : "Taşı", "Move or copy operation failed" : "Taşıma ya da kopyalama yapılamadı", "Move or copy" : "Taşı ya da kopyala", - "Cancelled move or copy of \"{filename}\"." : "\"{filename}\" dosyasını taşıma ya da kopyalama işlemi iptal edildi", - "Cancelled move or copy operation" : "Taşıma ya da kopyalama işlemi iptal edildi", "Open folder {displayName}" : "{displayName} klasörünü aç", "Open in Files" : "Dosyalar uygulamasında aç", "Open locally" : "Yerel olarak aç", @@ -321,7 +317,6 @@ "Audio" : "Ses", "Photos and images" : "Fotoğraflar ve görseller", "Videos" : "Görüntüler", - "New folder creation cancelled" : "Yeni klasör oluşturma işlemi iptal edildi", "Created new folder \"{name}\"" : "\"{name}\" yeni klasörü oluşturuldu", "Unable to initialize the templates directory" : "Kalıp klasörü hazırlanamadı", "Create templates folder" : "Kalıplar klasörü oluştur", @@ -457,6 +452,11 @@ "Enable the grid view" : "Tablo görünümü kullanılsın", "Use this address to access your Files via WebDAV" : "Dosyalarınıza WebDAV üzerinden erişmek için bu adresi kullanın", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "İki adımlı doğrulamayı açtıysanız buraya tıklayarak yeni bir uygulama parolası oluşturmalısınız.", + "Deletion cancelled" : "Silme iptal edildi", + "Move cancelled" : "Taşıma iptal edildi", + "Cancelled move or copy of \"{filename}\"." : "\"{filename}\" dosyasını taşıma ya da kopyalama işlemi iptal edildi", + "Cancelled move or copy operation" : "Taşıma ya da kopyalama işlemi iptal edildi", + "New folder creation cancelled" : "Yeni klasör oluşturma işlemi iptal edildi", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} klasör","{folderCount} klasör"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} dosya","{fileCount} dosya"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 dosya ve {folderCount} klasör","1 dosya ve {folderCount} klasör"], diff --git a/apps/files/l10n/ug.js b/apps/files/l10n/ug.js index d2066c8aab4..ae30674fd50 100644 --- a/apps/files/l10n/ug.js +++ b/apps/files/l10n/ug.js @@ -184,7 +184,6 @@ OC.L10N.register( "Pick a template for {name}" : "{name} for نىڭ قېلىپىنى تاللاڭ", "Create a new file with the selected template" : "تاللانغان قېلىپ بىلەن يېڭى ھۆججەت قۇر", "Creating file" : "ھۆججەت قۇرۇش", - "Deletion cancelled" : "ئۆچۈرۈش ئەمەلدىن قالدۇرۇلدى", "Leave this share" : "بۇ ئۈلۈشنى قالدۇرۇڭ", "Leave these shares" : "بۇ پايلارنى قالدۇرۇڭ", "Disconnect storage" : "ساقلاشنى ئۈزۈڭ", @@ -204,7 +203,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "ھۆججەت ياكى ھۆججەت قىسقۇچنى ئۆزىڭىزگە ياكى تارماق قىسقۇچقا يۆتكىيەلمەيسىز", "(copy)" : "(كۆپەيتىلگەن نۇسخىسى)", "(copy %n)" : "(% n)", - "Move cancelled" : "يۆتكەش ئەمەلدىن قالدۇرۇلدى", "A file or folder with that name already exists in this folder" : "بۇ ھۆججەت قىسقۇچتا بۇ ئىسىم بار ھۆججەت ياكى ھۆججەت قىسقۇچ بار", "The files are locked" : "ھۆججەتلەر قۇلۇپلاندى", "The file does not exist anymore" : "بۇ ھۆججەت ئەمدى مەۋجۇت ئەمەس", @@ -215,8 +213,6 @@ OC.L10N.register( "Move" : "Move", "Move or copy operation failed" : "يۆتكەش ياكى كۆچۈرۈش مەشغۇلاتى مەغلۇپ بولدى", "Move or copy" : "يۆتكەش ياكى كۆچۈرۈش", - "Cancelled move or copy of \"{filename}\"." : "«{filename} ئىسمى}» نىڭ يۆتكىلىشى ياكى كۆپەيتىلگەن نۇسخىسى.", - "Cancelled move or copy operation" : "يۆتكەش ياكى كۆچۈرۈش مەشغۇلاتى ئەمەلدىن قالدۇرۇلدى", "Open folder {displayName}" : "ھۆججەت قىسقۇچ {displayName}", "Open in Files" : "ھۆججەتلەرنى ئېچىڭ", "Open locally" : "يەرلىكتە ئېچىڭ", @@ -238,7 +234,6 @@ OC.L10N.register( "Audio" : "Audio", "Photos and images" : "رەسىم ۋە رەسىم", "Videos" : "سىنلار", - "New folder creation cancelled" : "يېڭى ھۆججەت قىسقۇچ قۇرۇش ئەمەلدىن قالدۇرۇلدى", "Created new folder \"{name}\"" : "يېڭى ھۆججەت قىسقۇچ \"{name}\" قۇرۇلدى", "Unable to initialize the templates directory" : "قېلىپ مۇندەرىجىسىنى قوزغىتالمىدى", "Create templates folder" : "قېلىپ ھۆججەت قىسقۇچى قۇرۇش", @@ -366,6 +361,11 @@ OC.L10N.register( "Enable the grid view" : "كاتەكچە كۆرۈنۈشىنى قوزغىتىڭ", "Use this address to access your Files via WebDAV" : "بۇ ئادرېسنى ئىشلىتىپ WebDAV ئارقىلىق ھۆججەتلىرىڭىزنى زىيارەت قىلىڭ", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "ئەگەر سىز 2FA نى قوزغىتىپ قويغان بولسىڭىز ، بۇ يەرنى چېكىپ چوقۇم يېڭى ئەپ پارولى قۇرالايسىز ۋە ئىشلىتىڭ.", + "Deletion cancelled" : "ئۆچۈرۈش ئەمەلدىن قالدۇرۇلدى", + "Move cancelled" : "يۆتكەش ئەمەلدىن قالدۇرۇلدى", + "Cancelled move or copy of \"{filename}\"." : "«{filename} ئىسمى}» نىڭ يۆتكىلىشى ياكى كۆپەيتىلگەن نۇسخىسى.", + "Cancelled move or copy operation" : "يۆتكەش ياكى كۆچۈرۈش مەشغۇلاتى ئەمەلدىن قالدۇرۇلدى", + "New folder creation cancelled" : "يېڭى ھۆججەت قىسقۇچ قۇرۇش ئەمەلدىن قالدۇرۇلدى", "{fileCount} files and {folderCount} folders" : "{fileCount} ھۆججەتلىرى ۋە {folderCount} ھۆججەت قىسقۇچلىرى", "All folders" : "بارلىق ھۆججەت قىسقۇچلار", "Personal Files" : "شەخسىي ھۆججەتلەر", diff --git a/apps/files/l10n/ug.json b/apps/files/l10n/ug.json index 99bb5b6d0b7..3d4ddfdb44e 100644 --- a/apps/files/l10n/ug.json +++ b/apps/files/l10n/ug.json @@ -182,7 +182,6 @@ "Pick a template for {name}" : "{name} for نىڭ قېلىپىنى تاللاڭ", "Create a new file with the selected template" : "تاللانغان قېلىپ بىلەن يېڭى ھۆججەت قۇر", "Creating file" : "ھۆججەت قۇرۇش", - "Deletion cancelled" : "ئۆچۈرۈش ئەمەلدىن قالدۇرۇلدى", "Leave this share" : "بۇ ئۈلۈشنى قالدۇرۇڭ", "Leave these shares" : "بۇ پايلارنى قالدۇرۇڭ", "Disconnect storage" : "ساقلاشنى ئۈزۈڭ", @@ -202,7 +201,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "ھۆججەت ياكى ھۆججەت قىسقۇچنى ئۆزىڭىزگە ياكى تارماق قىسقۇچقا يۆتكىيەلمەيسىز", "(copy)" : "(كۆپەيتىلگەن نۇسخىسى)", "(copy %n)" : "(% n)", - "Move cancelled" : "يۆتكەش ئەمەلدىن قالدۇرۇلدى", "A file or folder with that name already exists in this folder" : "بۇ ھۆججەت قىسقۇچتا بۇ ئىسىم بار ھۆججەت ياكى ھۆججەت قىسقۇچ بار", "The files are locked" : "ھۆججەتلەر قۇلۇپلاندى", "The file does not exist anymore" : "بۇ ھۆججەت ئەمدى مەۋجۇت ئەمەس", @@ -213,8 +211,6 @@ "Move" : "Move", "Move or copy operation failed" : "يۆتكەش ياكى كۆچۈرۈش مەشغۇلاتى مەغلۇپ بولدى", "Move or copy" : "يۆتكەش ياكى كۆچۈرۈش", - "Cancelled move or copy of \"{filename}\"." : "«{filename} ئىسمى}» نىڭ يۆتكىلىشى ياكى كۆپەيتىلگەن نۇسخىسى.", - "Cancelled move or copy operation" : "يۆتكەش ياكى كۆچۈرۈش مەشغۇلاتى ئەمەلدىن قالدۇرۇلدى", "Open folder {displayName}" : "ھۆججەت قىسقۇچ {displayName}", "Open in Files" : "ھۆججەتلەرنى ئېچىڭ", "Open locally" : "يەرلىكتە ئېچىڭ", @@ -236,7 +232,6 @@ "Audio" : "Audio", "Photos and images" : "رەسىم ۋە رەسىم", "Videos" : "سىنلار", - "New folder creation cancelled" : "يېڭى ھۆججەت قىسقۇچ قۇرۇش ئەمەلدىن قالدۇرۇلدى", "Created new folder \"{name}\"" : "يېڭى ھۆججەت قىسقۇچ \"{name}\" قۇرۇلدى", "Unable to initialize the templates directory" : "قېلىپ مۇندەرىجىسىنى قوزغىتالمىدى", "Create templates folder" : "قېلىپ ھۆججەت قىسقۇچى قۇرۇش", @@ -364,6 +359,11 @@ "Enable the grid view" : "كاتەكچە كۆرۈنۈشىنى قوزغىتىڭ", "Use this address to access your Files via WebDAV" : "بۇ ئادرېسنى ئىشلىتىپ WebDAV ئارقىلىق ھۆججەتلىرىڭىزنى زىيارەت قىلىڭ", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "ئەگەر سىز 2FA نى قوزغىتىپ قويغان بولسىڭىز ، بۇ يەرنى چېكىپ چوقۇم يېڭى ئەپ پارولى قۇرالايسىز ۋە ئىشلىتىڭ.", + "Deletion cancelled" : "ئۆچۈرۈش ئەمەلدىن قالدۇرۇلدى", + "Move cancelled" : "يۆتكەش ئەمەلدىن قالدۇرۇلدى", + "Cancelled move or copy of \"{filename}\"." : "«{filename} ئىسمى}» نىڭ يۆتكىلىشى ياكى كۆپەيتىلگەن نۇسخىسى.", + "Cancelled move or copy operation" : "يۆتكەش ياكى كۆچۈرۈش مەشغۇلاتى ئەمەلدىن قالدۇرۇلدى", + "New folder creation cancelled" : "يېڭى ھۆججەت قىسقۇچ قۇرۇش ئەمەلدىن قالدۇرۇلدى", "{fileCount} files and {folderCount} folders" : "{fileCount} ھۆججەتلىرى ۋە {folderCount} ھۆججەت قىسقۇچلىرى", "All folders" : "بارلىق ھۆججەت قىسقۇچلار", "Personal Files" : "شەخسىي ھۆججەتلەر", diff --git a/apps/files/l10n/uk.js b/apps/files/l10n/uk.js index 038ac1e870b..eb91af0fd77 100644 --- a/apps/files/l10n/uk.js +++ b/apps/files/l10n/uk.js @@ -266,7 +266,6 @@ OC.L10N.register( "File successfully converted" : "Файл успішно конвертовано", "Failed to convert file: {message}" : "Не вдалося конвертувати файл: {message}", "Failed to convert file" : "Не вдалося конвертувати файл", - "Deletion cancelled" : "Вилучення скасовано", "Leave this share" : "Вийти зі спільного доступу", "Leave these shares" : "Вийти зі спільного доступу", "Disconnect storage" : "Від’єднати сховище", @@ -290,7 +289,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "Неможливо перемістити файл чи каталог до самого себе або у цей саме підкаталог", "(copy)" : "(копія)", "(copy %n)" : "(копія %n)", - "Move cancelled" : "Переміщення скасовано", "A file or folder with that name already exists in this folder" : "Файл чи каталог з таким ім'ям вже присутній в цьому каталозі", "The files are locked" : "Файли заблоковано", "The file does not exist anymore" : "Цей файл більше недоступний", @@ -301,8 +299,6 @@ OC.L10N.register( "Move" : "Перемістити", "Move or copy operation failed" : "Не вдалося скопіювати або перемістити", "Move or copy" : "Перемістити або копіювати", - "Cancelled move or copy of \"{filename}\"." : "Скасовано переміщення або копіювання \"{filename}\".", - "Cancelled move or copy operation" : "Переміщення або копіювання скасовано", "Open folder {displayName}" : "Відкрити каталог {displayName}", "Open in Files" : "Відкрити у Файлах", "Open locally" : "Відкрити локально", @@ -327,7 +323,6 @@ OC.L10N.register( "Audio" : "Аудіо", "Photos and images" : "Зображення", "Videos" : "Відео", - "New folder creation cancelled" : "Створення нового каталогу скасовано", "Created new folder \"{name}\"" : "Створив(-ла) новий каталог \"{name}\"", "Unable to initialize the templates directory" : "Неможливо встановити каталог з шаблонами", "Create templates folder" : "Створити каталог для шаблонів", @@ -465,6 +460,11 @@ OC.L10N.register( "Enable the grid view" : "Увімкнути подання сіткою", "Use this address to access your Files via WebDAV" : "Адреса для доступу до файлів за допомогою протоколу WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Якщо увімкнено двофакторної авторизацію, вам потрібно створити та використовувати окремий пароль на застосунок. Для цього клацніть тут.", + "Deletion cancelled" : "Вилучення скасовано", + "Move cancelled" : "Переміщення скасовано", + "Cancelled move or copy of \"{filename}\"." : "Скасовано переміщення або копіювання \"{filename}\".", + "Cancelled move or copy operation" : "Переміщення або копіювання скасовано", + "New folder creation cancelled" : "Створення нового каталогу скасовано", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} каталог","{folderCount} каталоги","{folderCount} каталогів","{folderCount} каталогів"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} файл","{fileCount} файли","{fileCount} файлів","{fileCount} файлів"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 файл та {folderCount} каталог","1 файл та {folderCount} каталоги","1 файл та {folderCount} каталогів","1 файл та {folderCount} каталогів"], diff --git a/apps/files/l10n/uk.json b/apps/files/l10n/uk.json index 10185d9f848..bc23626446f 100644 --- a/apps/files/l10n/uk.json +++ b/apps/files/l10n/uk.json @@ -264,7 +264,6 @@ "File successfully converted" : "Файл успішно конвертовано", "Failed to convert file: {message}" : "Не вдалося конвертувати файл: {message}", "Failed to convert file" : "Не вдалося конвертувати файл", - "Deletion cancelled" : "Вилучення скасовано", "Leave this share" : "Вийти зі спільного доступу", "Leave these shares" : "Вийти зі спільного доступу", "Disconnect storage" : "Від’єднати сховище", @@ -288,7 +287,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "Неможливо перемістити файл чи каталог до самого себе або у цей саме підкаталог", "(copy)" : "(копія)", "(copy %n)" : "(копія %n)", - "Move cancelled" : "Переміщення скасовано", "A file or folder with that name already exists in this folder" : "Файл чи каталог з таким ім'ям вже присутній в цьому каталозі", "The files are locked" : "Файли заблоковано", "The file does not exist anymore" : "Цей файл більше недоступний", @@ -299,8 +297,6 @@ "Move" : "Перемістити", "Move or copy operation failed" : "Не вдалося скопіювати або перемістити", "Move or copy" : "Перемістити або копіювати", - "Cancelled move or copy of \"{filename}\"." : "Скасовано переміщення або копіювання \"{filename}\".", - "Cancelled move or copy operation" : "Переміщення або копіювання скасовано", "Open folder {displayName}" : "Відкрити каталог {displayName}", "Open in Files" : "Відкрити у Файлах", "Open locally" : "Відкрити локально", @@ -325,7 +321,6 @@ "Audio" : "Аудіо", "Photos and images" : "Зображення", "Videos" : "Відео", - "New folder creation cancelled" : "Створення нового каталогу скасовано", "Created new folder \"{name}\"" : "Створив(-ла) новий каталог \"{name}\"", "Unable to initialize the templates directory" : "Неможливо встановити каталог з шаблонами", "Create templates folder" : "Створити каталог для шаблонів", @@ -463,6 +458,11 @@ "Enable the grid view" : "Увімкнути подання сіткою", "Use this address to access your Files via WebDAV" : "Адреса для доступу до файлів за допомогою протоколу WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Якщо увімкнено двофакторної авторизацію, вам потрібно створити та використовувати окремий пароль на застосунок. Для цього клацніть тут.", + "Deletion cancelled" : "Вилучення скасовано", + "Move cancelled" : "Переміщення скасовано", + "Cancelled move or copy of \"{filename}\"." : "Скасовано переміщення або копіювання \"{filename}\".", + "Cancelled move or copy operation" : "Переміщення або копіювання скасовано", + "New folder creation cancelled" : "Створення нового каталогу скасовано", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} каталог","{folderCount} каталоги","{folderCount} каталогів","{folderCount} каталогів"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} файл","{fileCount} файли","{fileCount} файлів","{fileCount} файлів"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 файл та {folderCount} каталог","1 файл та {folderCount} каталоги","1 файл та {folderCount} каталогів","1 файл та {folderCount} каталогів"], diff --git a/apps/files/l10n/vi.js b/apps/files/l10n/vi.js index d2992d1c257..6c2ab14cb9b 100644 --- a/apps/files/l10n/vi.js +++ b/apps/files/l10n/vi.js @@ -182,7 +182,6 @@ OC.L10N.register( "Pick a template for {name}" : "Hãy chọn một mẫu cho {name}", "Create a new file with the selected template" : "Tạo tệp mới với mẫu đã chọn", "Creating file" : "Tạo tệp", - "Deletion cancelled" : "Thao tác xóa bị hủy", "Leave this share" : "Rời khỏi mục chia sẻ này", "Leave these shares" : "Rời khỏi mục chia sẻ", "Disconnect storage" : "Ngắt kết nối bộ nhớ", @@ -206,7 +205,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "Bạn không thể di chuyển một tập tin/thư mục vào chính nó hoặc vào một thư mục con của chính nó", "(copy)" : "(sao chép)", "(copy %n)" : "(sao chép %n)", - "Move cancelled" : "Di chuyển bị dừng", "A file or folder with that name already exists in this folder" : "Tệp hoặc thư mục có tên đó đã tồn tại trong thư mục này", "The files are locked" : "Tập tin bị khoá", "The file does not exist anymore" : "Tập tin không tồn tại nữa", @@ -217,8 +215,6 @@ OC.L10N.register( "Move" : "Dịch chuyển", "Move or copy operation failed" : "Thao tác di chuyển hoặc sao chép thất bại", "Move or copy" : "Di chuyển hoặc sao chép", - "Cancelled move or copy of \"{filename}\"." : "Đã huỷ việc di chuyển hoặc sao chép của \"{filename}\".", - "Cancelled move or copy operation" : "Đã hủy thao tác di chuyển hoặc sao chép", "Open folder {displayName}" : "Mở thư mục {displayName}", "Open in Files" : "Mở trong Tệp", "Open locally" : "Mở cục bộ (local)/ ngoại tuyến", @@ -237,7 +233,6 @@ OC.L10N.register( "Audio" : "Âm thanh", "Photos and images" : "Ảnh", "Videos" : "Phim", - "New folder creation cancelled" : "Lỗi tạo thư mục", "Created new folder \"{name}\"" : "Đã tạo thư mục mới \"{name}\"", "Unable to initialize the templates directory" : "Không thể khởi tạo thư mục mẫu", "Create templates folder" : "Tạo thư mục mẫu", @@ -365,6 +360,11 @@ OC.L10N.register( "Enable the grid view" : "Bật chế độ xem lưới", "Use this address to access your Files via WebDAV" : "Sử dụng địa chỉ này để truy cập Tệp của bạn qua WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Nếu bạn đã bật 2FA, bạn phải tạo và sử dụng mật khẩu ứng dụng mới bằng cách nhấp vào đây.", + "Deletion cancelled" : "Thao tác xóa bị hủy", + "Move cancelled" : "Di chuyển bị dừng", + "Cancelled move or copy of \"{filename}\"." : "Đã huỷ việc di chuyển hoặc sao chép của \"{filename}\".", + "Cancelled move or copy operation" : "Đã hủy thao tác di chuyển hoặc sao chép", + "New folder creation cancelled" : "Lỗi tạo thư mục", "_{folderCount} folder_::_{folderCount} folders_" : ["thư mục {folderCount}"], "_{fileCount} file_::_{fileCount} files_" : ["tệp {fileCount}"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 tệp và thư mục {folderCount}"], diff --git a/apps/files/l10n/vi.json b/apps/files/l10n/vi.json index 22dfafd0cff..8ed0f64ed35 100644 --- a/apps/files/l10n/vi.json +++ b/apps/files/l10n/vi.json @@ -180,7 +180,6 @@ "Pick a template for {name}" : "Hãy chọn một mẫu cho {name}", "Create a new file with the selected template" : "Tạo tệp mới với mẫu đã chọn", "Creating file" : "Tạo tệp", - "Deletion cancelled" : "Thao tác xóa bị hủy", "Leave this share" : "Rời khỏi mục chia sẻ này", "Leave these shares" : "Rời khỏi mục chia sẻ", "Disconnect storage" : "Ngắt kết nối bộ nhớ", @@ -204,7 +203,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "Bạn không thể di chuyển một tập tin/thư mục vào chính nó hoặc vào một thư mục con của chính nó", "(copy)" : "(sao chép)", "(copy %n)" : "(sao chép %n)", - "Move cancelled" : "Di chuyển bị dừng", "A file or folder with that name already exists in this folder" : "Tệp hoặc thư mục có tên đó đã tồn tại trong thư mục này", "The files are locked" : "Tập tin bị khoá", "The file does not exist anymore" : "Tập tin không tồn tại nữa", @@ -215,8 +213,6 @@ "Move" : "Dịch chuyển", "Move or copy operation failed" : "Thao tác di chuyển hoặc sao chép thất bại", "Move or copy" : "Di chuyển hoặc sao chép", - "Cancelled move or copy of \"{filename}\"." : "Đã huỷ việc di chuyển hoặc sao chép của \"{filename}\".", - "Cancelled move or copy operation" : "Đã hủy thao tác di chuyển hoặc sao chép", "Open folder {displayName}" : "Mở thư mục {displayName}", "Open in Files" : "Mở trong Tệp", "Open locally" : "Mở cục bộ (local)/ ngoại tuyến", @@ -235,7 +231,6 @@ "Audio" : "Âm thanh", "Photos and images" : "Ảnh", "Videos" : "Phim", - "New folder creation cancelled" : "Lỗi tạo thư mục", "Created new folder \"{name}\"" : "Đã tạo thư mục mới \"{name}\"", "Unable to initialize the templates directory" : "Không thể khởi tạo thư mục mẫu", "Create templates folder" : "Tạo thư mục mẫu", @@ -363,6 +358,11 @@ "Enable the grid view" : "Bật chế độ xem lưới", "Use this address to access your Files via WebDAV" : "Sử dụng địa chỉ này để truy cập Tệp của bạn qua WebDAV", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Nếu bạn đã bật 2FA, bạn phải tạo và sử dụng mật khẩu ứng dụng mới bằng cách nhấp vào đây.", + "Deletion cancelled" : "Thao tác xóa bị hủy", + "Move cancelled" : "Di chuyển bị dừng", + "Cancelled move or copy of \"{filename}\"." : "Đã huỷ việc di chuyển hoặc sao chép của \"{filename}\".", + "Cancelled move or copy operation" : "Đã hủy thao tác di chuyển hoặc sao chép", + "New folder creation cancelled" : "Lỗi tạo thư mục", "_{folderCount} folder_::_{folderCount} folders_" : ["thư mục {folderCount}"], "_{fileCount} file_::_{fileCount} files_" : ["tệp {fileCount}"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 tệp và thư mục {folderCount}"], diff --git a/apps/files/l10n/zh_CN.js b/apps/files/l10n/zh_CN.js index 4903a18b8f8..843ef0a9fcd 100644 --- a/apps/files/l10n/zh_CN.js +++ b/apps/files/l10n/zh_CN.js @@ -266,7 +266,6 @@ OC.L10N.register( "File successfully converted" : "文件已成功转换", "Failed to convert file: {message}" : "无法转换文件:{message}", "Failed to convert file" : "无法转换文件", - "Deletion cancelled" : "已取消删除", "Leave this share" : "离开此共享", "Leave these shares" : "离开此分享", "Disconnect storage" : "断开与存储空间的连接", @@ -290,7 +289,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "你无法将文件/文件夹移动至其自身或子文件夹中", "(copy)" : "(复制)", "(copy %n)" : "(复制 %n)", - "Move cancelled" : "已取消移动", "A file or folder with that name already exists in this folder" : "相同的文件/文件夹已存在于该文件夹中", "The files are locked" : "文件已锁定", "The file does not exist anymore" : "文件不存在", @@ -301,8 +299,6 @@ OC.L10N.register( "Move" : "移动", "Move or copy operation failed" : "移动或复制失败", "Move or copy" : "移动或复制", - "Cancelled move or copy of \"{filename}\"." : "取消移动或复制“{filename}”.", - "Cancelled move or copy operation" : "已取消移动或复制操作", "Open folder {displayName}" : "打开文件夹{displayName}", "Open in Files" : "在文件中打开", "Open locally" : "本地打开", @@ -327,7 +323,6 @@ OC.L10N.register( "Audio" : "音频", "Photos and images" : "照片和图像", "Videos" : "视频", - "New folder creation cancelled" : "取消创建新文件夹", "Created new folder \"{name}\"" : "已创建新文件夹“{name}”", "Unable to initialize the templates directory" : "无法初始化模板目录", "Create templates folder" : "创建模板文件夹", @@ -465,6 +460,11 @@ OC.L10N.register( "Enable the grid view" : "启用网格视图", "Use this address to access your Files via WebDAV" : "使用此地址通过 WebDAV 访问您的文件", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "如果启用两步验证,您必须点击此处来创建和使用一个新的应用程序密码。", + "Deletion cancelled" : "已取消删除", + "Move cancelled" : "已取消移动", + "Cancelled move or copy of \"{filename}\"." : "取消移动或复制“{filename}”.", + "Cancelled move or copy operation" : "已取消移动或复制操作", + "New folder creation cancelled" : "取消创建新文件夹", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} 个文件夹"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} 个文件"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 个文件夹及 {folderCount} 个文件夹"], diff --git a/apps/files/l10n/zh_CN.json b/apps/files/l10n/zh_CN.json index ef788c7c4e5..150cda86283 100644 --- a/apps/files/l10n/zh_CN.json +++ b/apps/files/l10n/zh_CN.json @@ -264,7 +264,6 @@ "File successfully converted" : "文件已成功转换", "Failed to convert file: {message}" : "无法转换文件:{message}", "Failed to convert file" : "无法转换文件", - "Deletion cancelled" : "已取消删除", "Leave this share" : "离开此共享", "Leave these shares" : "离开此分享", "Disconnect storage" : "断开与存储空间的连接", @@ -288,7 +287,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "你无法将文件/文件夹移动至其自身或子文件夹中", "(copy)" : "(复制)", "(copy %n)" : "(复制 %n)", - "Move cancelled" : "已取消移动", "A file or folder with that name already exists in this folder" : "相同的文件/文件夹已存在于该文件夹中", "The files are locked" : "文件已锁定", "The file does not exist anymore" : "文件不存在", @@ -299,8 +297,6 @@ "Move" : "移动", "Move or copy operation failed" : "移动或复制失败", "Move or copy" : "移动或复制", - "Cancelled move or copy of \"{filename}\"." : "取消移动或复制“{filename}”.", - "Cancelled move or copy operation" : "已取消移动或复制操作", "Open folder {displayName}" : "打开文件夹{displayName}", "Open in Files" : "在文件中打开", "Open locally" : "本地打开", @@ -325,7 +321,6 @@ "Audio" : "音频", "Photos and images" : "照片和图像", "Videos" : "视频", - "New folder creation cancelled" : "取消创建新文件夹", "Created new folder \"{name}\"" : "已创建新文件夹“{name}”", "Unable to initialize the templates directory" : "无法初始化模板目录", "Create templates folder" : "创建模板文件夹", @@ -463,6 +458,11 @@ "Enable the grid view" : "启用网格视图", "Use this address to access your Files via WebDAV" : "使用此地址通过 WebDAV 访问您的文件", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "如果启用两步验证,您必须点击此处来创建和使用一个新的应用程序密码。", + "Deletion cancelled" : "已取消删除", + "Move cancelled" : "已取消移动", + "Cancelled move or copy of \"{filename}\"." : "取消移动或复制“{filename}”.", + "Cancelled move or copy operation" : "已取消移动或复制操作", + "New folder creation cancelled" : "取消创建新文件夹", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} 个文件夹"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} 个文件"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 个文件夹及 {folderCount} 个文件夹"], diff --git a/apps/files/l10n/zh_HK.js b/apps/files/l10n/zh_HK.js index 1fec104d77d..ad14f5403b1 100644 --- a/apps/files/l10n/zh_HK.js +++ b/apps/files/l10n/zh_HK.js @@ -266,7 +266,6 @@ OC.L10N.register( "File successfully converted" : "成功轉換檔案", "Failed to convert file: {message}" : "無法轉換檔案:{message}", "Failed to convert file" : "無法轉換檔案", - "Deletion cancelled" : "刪除已取消", "Leave this share" : "保留該共用", "Leave these shares" : "保留這些分享", "Disconnect storage" : "解除連結儲存空間", @@ -290,7 +289,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "您無法將檔案/資料夾移動到其自身或子資料夾中", "(copy)" : "(複本)", "(copy %n)" : "(複本 %n)", - "Move cancelled" : "移動已取消", "A file or folder with that name already exists in this folder" : "此資料夾中已存在同名的檔案或資料夾", "The files are locked" : "檔案已被上鎖", "The file does not exist anymore" : "檔案已不存在", @@ -301,8 +299,6 @@ OC.L10N.register( "Move" : "移動", "Move or copy operation failed" : "移動或複製操作失敗", "Move or copy" : "移動或複製", - "Cancelled move or copy of \"{filename}\"." : "已取消移動或複製 \"{filename}\"。", - "Cancelled move or copy operation" : "已取消移動或複製操作", "Open folder {displayName}" : "打開資料夾 {displayName}", "Open in Files" : "在「檔案」應用程式中打開", "Open locally" : "在近端打開", @@ -327,7 +323,6 @@ OC.L10N.register( "Audio" : "音頻", "Photos and images" : "照片與圖像", "Videos" : "影片", - "New folder creation cancelled" : "已取消建立新資料夾", "Created new folder \"{name}\"" : "創建了新資料夾 \"{name}\"", "Unable to initialize the templates directory" : "無法初始化模板目錄", "Create templates folder" : "創建模板資料夾", @@ -465,6 +460,11 @@ OC.L10N.register( "Enable the grid view" : "啟用網格檢視", "Use this address to access your Files via WebDAV" : "用這位址使用 WebDAV 存取你的檔案。", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "如果您啟用了 2FA,則必須通過單擊此處創建和使用新的應用程式密碼。", + "Deletion cancelled" : "刪除已取消", + "Move cancelled" : "移動已取消", + "Cancelled move or copy of \"{filename}\"." : "已取消移動或複製 \"{filename}\"。", + "Cancelled move or copy operation" : "已取消移動或複製操作", + "New folder creation cancelled" : "已取消建立新資料夾", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} 個資料夾"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} 個檔案"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 個檔案與 {folderCount} 個資料夾"], diff --git a/apps/files/l10n/zh_HK.json b/apps/files/l10n/zh_HK.json index a1a92d9d4f3..5b12827cc7f 100644 --- a/apps/files/l10n/zh_HK.json +++ b/apps/files/l10n/zh_HK.json @@ -264,7 +264,6 @@ "File successfully converted" : "成功轉換檔案", "Failed to convert file: {message}" : "無法轉換檔案:{message}", "Failed to convert file" : "無法轉換檔案", - "Deletion cancelled" : "刪除已取消", "Leave this share" : "保留該共用", "Leave these shares" : "保留這些分享", "Disconnect storage" : "解除連結儲存空間", @@ -288,7 +287,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "您無法將檔案/資料夾移動到其自身或子資料夾中", "(copy)" : "(複本)", "(copy %n)" : "(複本 %n)", - "Move cancelled" : "移動已取消", "A file or folder with that name already exists in this folder" : "此資料夾中已存在同名的檔案或資料夾", "The files are locked" : "檔案已被上鎖", "The file does not exist anymore" : "檔案已不存在", @@ -299,8 +297,6 @@ "Move" : "移動", "Move or copy operation failed" : "移動或複製操作失敗", "Move or copy" : "移動或複製", - "Cancelled move or copy of \"{filename}\"." : "已取消移動或複製 \"{filename}\"。", - "Cancelled move or copy operation" : "已取消移動或複製操作", "Open folder {displayName}" : "打開資料夾 {displayName}", "Open in Files" : "在「檔案」應用程式中打開", "Open locally" : "在近端打開", @@ -325,7 +321,6 @@ "Audio" : "音頻", "Photos and images" : "照片與圖像", "Videos" : "影片", - "New folder creation cancelled" : "已取消建立新資料夾", "Created new folder \"{name}\"" : "創建了新資料夾 \"{name}\"", "Unable to initialize the templates directory" : "無法初始化模板目錄", "Create templates folder" : "創建模板資料夾", @@ -463,6 +458,11 @@ "Enable the grid view" : "啟用網格檢視", "Use this address to access your Files via WebDAV" : "用這位址使用 WebDAV 存取你的檔案。", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "如果您啟用了 2FA,則必須通過單擊此處創建和使用新的應用程式密碼。", + "Deletion cancelled" : "刪除已取消", + "Move cancelled" : "移動已取消", + "Cancelled move or copy of \"{filename}\"." : "已取消移動或複製 \"{filename}\"。", + "Cancelled move or copy operation" : "已取消移動或複製操作", + "New folder creation cancelled" : "已取消建立新資料夾", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} 個資料夾"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} 個檔案"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 個檔案與 {folderCount} 個資料夾"], diff --git a/apps/files/l10n/zh_TW.js b/apps/files/l10n/zh_TW.js index ec4b699d2c4..6fd7d9e8e64 100644 --- a/apps/files/l10n/zh_TW.js +++ b/apps/files/l10n/zh_TW.js @@ -266,7 +266,6 @@ OC.L10N.register( "File successfully converted" : "成功轉換檔案", "Failed to convert file: {message}" : "無法轉換檔案:{message}", "Failed to convert file" : "無法轉換檔案", - "Deletion cancelled" : "刪除已取消", "Leave this share" : "離開此分享", "Leave these shares" : "離開這些分享", "Disconnect storage" : "中斷連結儲存空間", @@ -290,7 +289,6 @@ OC.L10N.register( "You cannot move a file/folder onto itself or into a subfolder of itself" : "您無法將檔案/資料夾移動到其自身或子資料夾中", "(copy)" : "(副本)", "(copy %n)" : "(副本 %n)", - "Move cancelled" : "移動已取消", "A file or folder with that name already exists in this folder" : "此資料夾中已經存在同名的檔案或資料夾", "The files are locked" : "檔案已鎖定", "The file does not exist anymore" : "檔案已不存在", @@ -301,8 +299,6 @@ OC.L10N.register( "Move" : "移動", "Move or copy operation failed" : "移動或複製操作失敗", "Move or copy" : "移動或複製", - "Cancelled move or copy of \"{filename}\"." : "已取消移動或複製「{filename}」。", - "Cancelled move or copy operation" : "已取消移動或複製操作", "Open folder {displayName}" : "開啟資料夾 {displayName}", "Open in Files" : "以「檔案」開啟", "Open locally" : "在本機開啟", @@ -327,7 +323,6 @@ OC.L10N.register( "Audio" : "音訊", "Photos and images" : "照片與影像", "Videos" : "影片", - "New folder creation cancelled" : "已取消建立新資料夾", "Created new folder \"{name}\"" : "已建立新資料夾「{name}」", "Unable to initialize the templates directory" : "無法初始化範本目錄", "Create templates folder" : "建立範本資料夾", @@ -465,6 +460,11 @@ OC.L10N.register( "Enable the grid view" : "啟用格狀檢視", "Use this address to access your Files via WebDAV" : "使用此位置透過 WebDAV 存取您的檔案", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "若您啟用了雙因子認證,您必須點擊此處建立並使用新的應用程式密碼。", + "Deletion cancelled" : "刪除已取消", + "Move cancelled" : "移動已取消", + "Cancelled move or copy of \"{filename}\"." : "已取消移動或複製「{filename}」。", + "Cancelled move or copy operation" : "已取消移動或複製操作", + "New folder creation cancelled" : "已取消建立新資料夾", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} 個資料夾"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} 個檔案"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 個檔案與 {folderCount} 個資料夾"], diff --git a/apps/files/l10n/zh_TW.json b/apps/files/l10n/zh_TW.json index 30958af0536..5e28e9374f2 100644 --- a/apps/files/l10n/zh_TW.json +++ b/apps/files/l10n/zh_TW.json @@ -264,7 +264,6 @@ "File successfully converted" : "成功轉換檔案", "Failed to convert file: {message}" : "無法轉換檔案:{message}", "Failed to convert file" : "無法轉換檔案", - "Deletion cancelled" : "刪除已取消", "Leave this share" : "離開此分享", "Leave these shares" : "離開這些分享", "Disconnect storage" : "中斷連結儲存空間", @@ -288,7 +287,6 @@ "You cannot move a file/folder onto itself or into a subfolder of itself" : "您無法將檔案/資料夾移動到其自身或子資料夾中", "(copy)" : "(副本)", "(copy %n)" : "(副本 %n)", - "Move cancelled" : "移動已取消", "A file or folder with that name already exists in this folder" : "此資料夾中已經存在同名的檔案或資料夾", "The files are locked" : "檔案已鎖定", "The file does not exist anymore" : "檔案已不存在", @@ -299,8 +297,6 @@ "Move" : "移動", "Move or copy operation failed" : "移動或複製操作失敗", "Move or copy" : "移動或複製", - "Cancelled move or copy of \"{filename}\"." : "已取消移動或複製「{filename}」。", - "Cancelled move or copy operation" : "已取消移動或複製操作", "Open folder {displayName}" : "開啟資料夾 {displayName}", "Open in Files" : "以「檔案」開啟", "Open locally" : "在本機開啟", @@ -325,7 +321,6 @@ "Audio" : "音訊", "Photos and images" : "照片與影像", "Videos" : "影片", - "New folder creation cancelled" : "已取消建立新資料夾", "Created new folder \"{name}\"" : "已建立新資料夾「{name}」", "Unable to initialize the templates directory" : "無法初始化範本目錄", "Create templates folder" : "建立範本資料夾", @@ -463,6 +458,11 @@ "Enable the grid view" : "啟用格狀檢視", "Use this address to access your Files via WebDAV" : "使用此位置透過 WebDAV 存取您的檔案", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "若您啟用了雙因子認證,您必須點擊此處建立並使用新的應用程式密碼。", + "Deletion cancelled" : "刪除已取消", + "Move cancelled" : "移動已取消", + "Cancelled move or copy of \"{filename}\"." : "已取消移動或複製「{filename}」。", + "Cancelled move or copy operation" : "已取消移動或複製操作", + "New folder creation cancelled" : "已取消建立新資料夾", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} 個資料夾"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} 個檔案"], "_1 file and {folderCount} folder_::_1 file and {folderCount} folders_" : ["1 個檔案與 {folderCount} 個資料夾"], diff --git a/apps/files/lib/AppInfo/Application.php b/apps/files/lib/AppInfo/Application.php index 32c072ef0f4..2761b44ecf9 100644 --- a/apps/files/lib/AppInfo/Application.php +++ b/apps/files/lib/AppInfo/Application.php @@ -117,7 +117,7 @@ class Application extends App implements IBootstrap { $context->registerEventListener(RenderReferenceEvent::class, RenderReferenceEventListener::class); $context->registerEventListener(BeforeNodeRenamedEvent::class, SyncLivePhotosListener::class); $context->registerEventListener(BeforeNodeDeletedEvent::class, SyncLivePhotosListener::class); - $context->registerEventListener(CacheEntryRemovedEvent::class, SyncLivePhotosListener::class); + $context->registerEventListener(CacheEntryRemovedEvent::class, SyncLivePhotosListener::class, 1); // Ensure this happen before the metadata are deleted. $context->registerEventListener(BeforeNodeCopiedEvent::class, SyncLivePhotosListener::class); $context->registerEventListener(NodeCopiedEvent::class, SyncLivePhotosListener::class); $context->registerEventListener(LoadSearchPlugins::class, LoadSearchPluginsListener::class); diff --git a/apps/files/src/actions/deleteAction.ts b/apps/files/src/actions/deleteAction.ts index 3e9e441a63c..fa4fdfe8cdc 100644 --- a/apps/files/src/actions/deleteAction.ts +++ b/apps/files/src/actions/deleteAction.ts @@ -2,10 +2,8 @@ * SPDX-FileCopyrightText: 2023 Nextcloud GmbH and Nextcloud contributors * SPDX-License-Identifier: AGPL-3.0-or-later */ -import { showInfo } from '@nextcloud/dialogs' import { Permission, Node, View, FileAction } from '@nextcloud/files' import { loadState } from '@nextcloud/initial-state' -import { translate as t } from '@nextcloud/l10n' import PQueue from 'p-queue' import CloseSvg from '@mdi/svg/svg/close.svg?raw' @@ -64,7 +62,6 @@ export const action = new FileAction({ // If the user cancels the deletion, we don't want to do anything if (confirm === false) { - showInfo(t('files', 'Deletion cancelled')) return null } @@ -88,7 +85,6 @@ export const action = new FileAction({ // If the user cancels the deletion, we don't want to do anything if (confirm === false) { - showInfo(t('files', 'Deletion cancelled')) return Promise.all(nodes.map(() => null)) } diff --git a/apps/files/src/actions/moveOrCopyAction.ts b/apps/files/src/actions/moveOrCopyAction.ts index af68120bb1b..06e32c98090 100644 --- a/apps/files/src/actions/moveOrCopyAction.ts +++ b/apps/files/src/actions/moveOrCopyAction.ts @@ -158,7 +158,6 @@ export const handleCopyMoveNodeTo = async (node: Node, destination: Folder, meth } } catch (error) { // User cancelled - showError(t('files', 'Move cancelled')) return } } @@ -330,7 +329,6 @@ export const action = new FileAction({ return false } if (result === false) { - showInfo(t('files', 'Cancelled move or copy of "{filename}".', { filename: node.displayname })) return null } @@ -352,10 +350,6 @@ export const action = new FileAction({ const result = await openFilePickerForAction(action, dir, nodes) // Handle cancellation silently if (result === false) { - showInfo(nodes.length === 1 - ? t('files', 'Cancelled move or copy of "{filename}".', { filename: nodes[0].displayname }) - : t('files', 'Cancelled move or copy operation'), - ) return nodes.map(() => null) } diff --git a/apps/files/src/newMenu/newFolder.ts b/apps/files/src/newMenu/newFolder.ts index bc82d389e54..f0f854d2801 100644 --- a/apps/files/src/newMenu/newFolder.ts +++ b/apps/files/src/newMenu/newFolder.ts @@ -8,7 +8,7 @@ import { basename } from 'path' import { emit } from '@nextcloud/event-bus' import { getCurrentUser } from '@nextcloud/auth' import { Permission, Folder } from '@nextcloud/files' -import { showError, showInfo, showSuccess } from '@nextcloud/dialogs' +import { showError, showSuccess } from '@nextcloud/dialogs' import { translate as t } from '@nextcloud/l10n' import axios from '@nextcloud/axios' @@ -51,7 +51,6 @@ export const entry = { async handler(context: Folder, content: Node[]) { const name = await newNodeName(t('files', 'New folder'), content) if (name === null) { - showInfo(t('files', 'New folder creation cancelled')) return } try { diff --git a/apps/files_external/lib/Lib/Storage/SMB.php b/apps/files_external/lib/Lib/Storage/SMB.php index 0899d2ac093..8f8750864e1 100644 --- a/apps/files_external/lib/Lib/Storage/SMB.php +++ b/apps/files_external/lib/Lib/Storage/SMB.php @@ -336,7 +336,7 @@ class SMB extends Common implements INotifyStorage { if ($retry) { return $this->stat($path, false); } else { - throw $e; + throw new StorageNotAvailableException($e->getMessage(), $e->getCode(), $e); } } if ($this->remoteIsShare() && $this->isRootDir($path)) { diff --git a/apps/files_sharing/l10n/es.js b/apps/files_sharing/l10n/es.js index fba03819b5b..6db11d86aa0 100644 --- a/apps/files_sharing/l10n/es.js +++ b/apps/files_sharing/l10n/es.js @@ -185,6 +185,7 @@ OC.L10N.register( "Set default folder for accepted shares" : "Establecer la carpeta por defecto para los recursos compartidos aceptados", "Reset" : "Restaurar", "Reset folder to system default" : "Restaurar la carpeta por defecto del sistema", + "Share expiration: {date}" : "El recurso compartido caduca el: {date}", "Share Expiration" : "Caducidad del recurso compartido", "group" : "grupo", "conversation" : "conversación", @@ -256,6 +257,7 @@ OC.L10N.register( "File drop" : "Entrega de archivos", "Upload files to {foldername}." : "Cargar archivos a {foldername}.", "By uploading files, you agree to the terms of service." : "Al subir archivos, aceptas los términos del servicio", + "Successfully uploaded files" : "Se cargaron los archivos de manera exitosa", "View terms of service" : "Ver los términos del servicio", "Terms of service" : "Términos del servicio", "Share with {userName}" : "Compartir con {userName}", @@ -306,7 +308,10 @@ OC.L10N.register( "Use this method to share files with individuals or teams within your organization. If the recipient already has access to the share but cannot locate it, you can send them the internal share link for easy access." : "Utiliza este método para compartir archivos con individuos o equipos dentro de tu organización. Si el destinatario ya tiene acceso pero no puede encontrarlos, puedes enviarle este enlace interno para facilitarle el acceso.", "Use this method to share files with individuals or organizations outside your organization. Files and folders can be shared via public share links and email addresses. You can also share to other Nextcloud accounts hosted on different instances using their federated cloud ID." : "Usa este método para compartir archivos con individuos u organizaciones externas a tu organización. Los archivos y carpetas pueden ser compartidos mediante enlaces públicos y por correo. También puedes compartir con otras cuentas de Nextcloud alojadas en otras instancias utilizando su ID de nube federada.", "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Recursos compartidos que no son internos o externos. Pueden estar compartidos desde aplicaciones u otras fuentes.", + "Share with accounts, teams, federated cloud IDs" : "Comparta con cuentas, equipos, IDs de nubes federadas", "Share with accounts and teams" : "Compartir con cuentas y equipos", + "Federated cloud ID" : "ID de nube federada", + "Email, federated cloud ID" : "Correo, ID de nube federada", "Unable to load the shares list" : "No se pudo cargar la lista de recursos compartidos", "Expires {relativetime}" : "Caduca en {relativetime}", "this share just expired." : "este recurso compartido acaba de caducar.", @@ -363,6 +368,7 @@ OC.L10N.register( "List of unapproved shares." : "Lista de recursos compartidos no aprobados", "No pending shares" : "No hay recursos compartidos pendientes", "Shares you have received but not approved will show up here" : "Aquí aparecerán los compartidos que ha recibido pero que no ha aprobado", + "Error deleting the share: {errorMessage}" : "Error al eliminar el recurso compartido: {errorMessage}", "Error deleting the share" : "Error borrando el recurso compartido", "Error updating the share: {errorMessage}" : "Error al actualizar el recurso compartido: {errorMessage}", "Error updating the share" : "Error actualizando el recurso compartido", @@ -376,8 +382,17 @@ OC.L10N.register( "Share note for recipient saved" : "Nota para el destinatario del recurso compartido guardada", "Share password saved" : "Se ha guardado la contraseña del recurso compartido", "Share permissions saved" : "Permisos del recurso compartido guardados", + "To upload files to {folder}, you need to provide your name first." : "Para cargar archivos a {folder}, necesita proporcionar primero su nombre.", "Upload files to {folder}" : "Cargar archivos a {folder}", + "Please confirm your name to upload files to {folder}" : "Por favor, confirme su nombre para cargar archivos a {folder}", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} ha compartido una carpeta contigo.", + "Names must not be empty." : "Los nombres no deben estar vacíos.", + "Names must not start with a dot." : "Los nombres no deben comenzar con un punto.", + "\"{char}\" is not allowed inside a name." : "\"{char}\" no está permitido dentro de un nombre.", + "\"{segment}\" is a reserved name and not allowed." : "\"{segment}\" es un nombre reservado y no está permitido.", + "\"{extension}\" is not an allowed name." : "\"{extension}\" no es un nombre permitido.", + "Names must not end with \"{extension}\"." : "Los nombres no deben terminar con \"{extension}\".", + "Invalid name." : "Nombre inválido.", "Shared by" : "Compartido por", "Shared with" : "Compartido con", "Password created successfully" : "Contraseña creada exitosamente", diff --git a/apps/files_sharing/l10n/es.json b/apps/files_sharing/l10n/es.json index b3fde704542..9d3aef5d575 100644 --- a/apps/files_sharing/l10n/es.json +++ b/apps/files_sharing/l10n/es.json @@ -183,6 +183,7 @@ "Set default folder for accepted shares" : "Establecer la carpeta por defecto para los recursos compartidos aceptados", "Reset" : "Restaurar", "Reset folder to system default" : "Restaurar la carpeta por defecto del sistema", + "Share expiration: {date}" : "El recurso compartido caduca el: {date}", "Share Expiration" : "Caducidad del recurso compartido", "group" : "grupo", "conversation" : "conversación", @@ -254,6 +255,7 @@ "File drop" : "Entrega de archivos", "Upload files to {foldername}." : "Cargar archivos a {foldername}.", "By uploading files, you agree to the terms of service." : "Al subir archivos, aceptas los términos del servicio", + "Successfully uploaded files" : "Se cargaron los archivos de manera exitosa", "View terms of service" : "Ver los términos del servicio", "Terms of service" : "Términos del servicio", "Share with {userName}" : "Compartir con {userName}", @@ -304,7 +306,10 @@ "Use this method to share files with individuals or teams within your organization. If the recipient already has access to the share but cannot locate it, you can send them the internal share link for easy access." : "Utiliza este método para compartir archivos con individuos o equipos dentro de tu organización. Si el destinatario ya tiene acceso pero no puede encontrarlos, puedes enviarle este enlace interno para facilitarle el acceso.", "Use this method to share files with individuals or organizations outside your organization. Files and folders can be shared via public share links and email addresses. You can also share to other Nextcloud accounts hosted on different instances using their federated cloud ID." : "Usa este método para compartir archivos con individuos u organizaciones externas a tu organización. Los archivos y carpetas pueden ser compartidos mediante enlaces públicos y por correo. También puedes compartir con otras cuentas de Nextcloud alojadas en otras instancias utilizando su ID de nube federada.", "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Recursos compartidos que no son internos o externos. Pueden estar compartidos desde aplicaciones u otras fuentes.", + "Share with accounts, teams, federated cloud IDs" : "Comparta con cuentas, equipos, IDs de nubes federadas", "Share with accounts and teams" : "Compartir con cuentas y equipos", + "Federated cloud ID" : "ID de nube federada", + "Email, federated cloud ID" : "Correo, ID de nube federada", "Unable to load the shares list" : "No se pudo cargar la lista de recursos compartidos", "Expires {relativetime}" : "Caduca en {relativetime}", "this share just expired." : "este recurso compartido acaba de caducar.", @@ -361,6 +366,7 @@ "List of unapproved shares." : "Lista de recursos compartidos no aprobados", "No pending shares" : "No hay recursos compartidos pendientes", "Shares you have received but not approved will show up here" : "Aquí aparecerán los compartidos que ha recibido pero que no ha aprobado", + "Error deleting the share: {errorMessage}" : "Error al eliminar el recurso compartido: {errorMessage}", "Error deleting the share" : "Error borrando el recurso compartido", "Error updating the share: {errorMessage}" : "Error al actualizar el recurso compartido: {errorMessage}", "Error updating the share" : "Error actualizando el recurso compartido", @@ -374,8 +380,17 @@ "Share note for recipient saved" : "Nota para el destinatario del recurso compartido guardada", "Share password saved" : "Se ha guardado la contraseña del recurso compartido", "Share permissions saved" : "Permisos del recurso compartido guardados", + "To upload files to {folder}, you need to provide your name first." : "Para cargar archivos a {folder}, necesita proporcionar primero su nombre.", "Upload files to {folder}" : "Cargar archivos a {folder}", + "Please confirm your name to upload files to {folder}" : "Por favor, confirme su nombre para cargar archivos a {folder}", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} ha compartido una carpeta contigo.", + "Names must not be empty." : "Los nombres no deben estar vacíos.", + "Names must not start with a dot." : "Los nombres no deben comenzar con un punto.", + "\"{char}\" is not allowed inside a name." : "\"{char}\" no está permitido dentro de un nombre.", + "\"{segment}\" is a reserved name and not allowed." : "\"{segment}\" es un nombre reservado y no está permitido.", + "\"{extension}\" is not an allowed name." : "\"{extension}\" no es un nombre permitido.", + "Names must not end with \"{extension}\"." : "Los nombres no deben terminar con \"{extension}\".", + "Invalid name." : "Nombre inválido.", "Shared by" : "Compartido por", "Shared with" : "Compartido con", "Password created successfully" : "Contraseña creada exitosamente", diff --git a/apps/files_sharing/src/views/SharingTab.vue b/apps/files_sharing/src/views/SharingTab.vue index 262504aca01..dc200c61df4 100644 --- a/apps/files_sharing/src/views/SharingTab.vue +++ b/apps/files_sharing/src/views/SharingTab.vue @@ -243,8 +243,7 @@ export default { * @return {boolean} */ isSharedWithMe() { - return this.sharedWithMe !== null - && this.sharedWithMe !== undefined + return !!this.sharedWithMe?.user }, /** diff --git a/apps/files_trashbin/l10n/ar.js b/apps/files_trashbin/l10n/ar.js index 0109d239494..fd66b006974 100644 --- a/apps/files_trashbin/l10n/ar.js +++ b/apps/files_trashbin/l10n/ar.js @@ -11,7 +11,6 @@ OC.L10N.register( "Confirm permanent deletion" : "تأكيد الحذف النهائي", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "هل أنت متأكد من أنك تريد حذف جميع الملفات و المجلدات من سلة المهملات؟ هذا الإجراء نهائي و لايمكن التراجع عنه فيما بعد.", "Cancel" : "إلغاء", - "Deletion cancelled" : "تمّ إلغاء الحذف", "Original location" : "الموقع الأصلي", "Deleted by" : "محذوف من قِبَل", "Deleted" : "محذوفة", @@ -21,6 +20,7 @@ OC.L10N.register( "You" : "أنت", "List of files that have been deleted." : "قائمة بجميع الملفات المحذوفة", "No deleted files" : "لا توجد ملفات محذوفة", - "Files and folders you have deleted will show up here" : "الملفات و المجلدات التي قمت بحذفها ستظهر هنا" + "Files and folders you have deleted will show up here" : "الملفات و المجلدات التي قمت بحذفها ستظهر هنا", + "Deletion cancelled" : "تمّ إلغاء الحذف" }, "nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;"); diff --git a/apps/files_trashbin/l10n/ar.json b/apps/files_trashbin/l10n/ar.json index c348048d8ac..eaa35ea7251 100644 --- a/apps/files_trashbin/l10n/ar.json +++ b/apps/files_trashbin/l10n/ar.json @@ -9,7 +9,6 @@ "Confirm permanent deletion" : "تأكيد الحذف النهائي", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "هل أنت متأكد من أنك تريد حذف جميع الملفات و المجلدات من سلة المهملات؟ هذا الإجراء نهائي و لايمكن التراجع عنه فيما بعد.", "Cancel" : "إلغاء", - "Deletion cancelled" : "تمّ إلغاء الحذف", "Original location" : "الموقع الأصلي", "Deleted by" : "محذوف من قِبَل", "Deleted" : "محذوفة", @@ -19,6 +18,7 @@ "You" : "أنت", "List of files that have been deleted." : "قائمة بجميع الملفات المحذوفة", "No deleted files" : "لا توجد ملفات محذوفة", - "Files and folders you have deleted will show up here" : "الملفات و المجلدات التي قمت بحذفها ستظهر هنا" + "Files and folders you have deleted will show up here" : "الملفات و المجلدات التي قمت بحذفها ستظهر هنا", + "Deletion cancelled" : "تمّ إلغاء الحذف" },"pluralForm" :"nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/ast.js b/apps/files_trashbin/l10n/ast.js index 88dfd7b99b4..47fd1eb4fcc 100644 --- a/apps/files_trashbin/l10n/ast.js +++ b/apps/files_trashbin/l10n/ast.js @@ -8,7 +8,6 @@ OC.L10N.register( "This application enables people to restore files that were deleted from the system. It displays a list of deleted files in the web interface, and has options to restore those deleted files back to the people file directories or remove them permanently from the system. Restoring a file also restores related file versions, if the versions application is enabled. When a file is deleted from a share, it can be restored in the same manner, though it is no longer shared. By default, these files remain in the trash bin for 30 days.\nTo prevent an account from running out of disk space, the Deleted files app will not utilize more than 50% of the currently available free quota for deleted files. If the deleted files exceed this limit, the app deletes the oldest files until it gets below this limit. More information is available in the Deleted Files documentation." : "Esta aplicación permite a los usuarios restaurar los ficheros que se desaniciaren nel sistema. Amuesa una llista de ficheros desaniciaos na interfaz web y tien opciones pa restaurar esos ficheros a los direutorios de los usuarios o desanicialos permanentemente. Restaurar un ficheru tamién restaura les versiones de los ficheros rellacionaos si s'activó l'aplicación de versiones. Cuando se desanicia'l ficheru d'una compartición, pue restaurase del mesmu mou, magar que yá nun se comparta. Por defeutu, esto ficheros queden na papelera demientres 30 díes.\nPa evitar pa que les cuentes escosen l'espaciu, l'aplicación de ficheros desaniciaos nun va usar más del 50% espaciu llibre disponible pa los ficheros desaniciaos. Si los ficheros desaniciaos superen esta llende, l'aplicación desanicia los ficheros más antiguos hasta que se dexe de superar. Hai más información disponible na documentación de Ficheros Desaniciaos.", "Restore" : "Restaurar", "Cancel" : "Encaboxar", - "Deletion cancelled" : "Anulóse'l desaniciu", "Original location" : "Llocalización orixinal", "Deleted" : "Desanicióse", "A long time ago" : "Hai cuantayá", @@ -17,6 +16,7 @@ OC.L10N.register( "You" : "Tu", "List of files that have been deleted." : "Una llista de ficheros que se desaniciaron.", "No deleted files" : "Nun hai nengún ficheros desnaiciáu", - "Files and folders you have deleted will show up here" : "Equí apaecen los ficheros y les carpetes que desaniciares" + "Files and folders you have deleted will show up here" : "Equí apaecen los ficheros y les carpetes que desaniciares", + "Deletion cancelled" : "Anulóse'l desaniciu" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_trashbin/l10n/ast.json b/apps/files_trashbin/l10n/ast.json index 95057523f32..a8d631daff2 100644 --- a/apps/files_trashbin/l10n/ast.json +++ b/apps/files_trashbin/l10n/ast.json @@ -6,7 +6,6 @@ "This application enables people to restore files that were deleted from the system. It displays a list of deleted files in the web interface, and has options to restore those deleted files back to the people file directories or remove them permanently from the system. Restoring a file also restores related file versions, if the versions application is enabled. When a file is deleted from a share, it can be restored in the same manner, though it is no longer shared. By default, these files remain in the trash bin for 30 days.\nTo prevent an account from running out of disk space, the Deleted files app will not utilize more than 50% of the currently available free quota for deleted files. If the deleted files exceed this limit, the app deletes the oldest files until it gets below this limit. More information is available in the Deleted Files documentation." : "Esta aplicación permite a los usuarios restaurar los ficheros que se desaniciaren nel sistema. Amuesa una llista de ficheros desaniciaos na interfaz web y tien opciones pa restaurar esos ficheros a los direutorios de los usuarios o desanicialos permanentemente. Restaurar un ficheru tamién restaura les versiones de los ficheros rellacionaos si s'activó l'aplicación de versiones. Cuando se desanicia'l ficheru d'una compartición, pue restaurase del mesmu mou, magar que yá nun se comparta. Por defeutu, esto ficheros queden na papelera demientres 30 díes.\nPa evitar pa que les cuentes escosen l'espaciu, l'aplicación de ficheros desaniciaos nun va usar más del 50% espaciu llibre disponible pa los ficheros desaniciaos. Si los ficheros desaniciaos superen esta llende, l'aplicación desanicia los ficheros más antiguos hasta que se dexe de superar. Hai más información disponible na documentación de Ficheros Desaniciaos.", "Restore" : "Restaurar", "Cancel" : "Encaboxar", - "Deletion cancelled" : "Anulóse'l desaniciu", "Original location" : "Llocalización orixinal", "Deleted" : "Desanicióse", "A long time ago" : "Hai cuantayá", @@ -15,6 +14,7 @@ "You" : "Tu", "List of files that have been deleted." : "Una llista de ficheros que se desaniciaron.", "No deleted files" : "Nun hai nengún ficheros desnaiciáu", - "Files and folders you have deleted will show up here" : "Equí apaecen los ficheros y les carpetes que desaniciares" + "Files and folders you have deleted will show up here" : "Equí apaecen los ficheros y les carpetes que desaniciares", + "Deletion cancelled" : "Anulóse'l desaniciu" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/be.js b/apps/files_trashbin/l10n/be.js index 8b825b9cb5f..c3fbbcb2a8b 100644 --- a/apps/files_trashbin/l10n/be.js +++ b/apps/files_trashbin/l10n/be.js @@ -10,7 +10,6 @@ OC.L10N.register( "Confirm permanent deletion" : "Пацвердзіце выдаленне назаўжды", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Вы ўпэўнены, што хочаце назаўжды выдаліць усе файлы і папкі ў сметніцы? Гэта дзеянне нельга адрабіць.", "Cancel" : "Скасаваць", - "Deletion cancelled" : "Выдаленне скасавана", "Original location" : "Зыходнае размяшчэнне", "Deleted by" : "Выдалены карыстальнікам ", "Deleted" : "Выдалены", @@ -23,6 +22,7 @@ OC.L10N.register( "No deleted files" : "Няма выдаленых файлаў", "Files and folders you have deleted will show up here" : "Тут будуць адлюстроўвацца выдаленыя вамі файлы і папкі", "All files have been permanently deleted" : "Усе файлы былі выдалены назаўжды", - "Failed to empty deleted files" : "Не атрымалася ачысціць выдаленыя файлы" + "Failed to empty deleted files" : "Не атрымалася ачысціць выдаленыя файлы", + "Deletion cancelled" : "Выдаленне скасавана" }, "nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);"); diff --git a/apps/files_trashbin/l10n/be.json b/apps/files_trashbin/l10n/be.json index 0814ee91169..538b0a1eb26 100644 --- a/apps/files_trashbin/l10n/be.json +++ b/apps/files_trashbin/l10n/be.json @@ -8,7 +8,6 @@ "Confirm permanent deletion" : "Пацвердзіце выдаленне назаўжды", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Вы ўпэўнены, што хочаце назаўжды выдаліць усе файлы і папкі ў сметніцы? Гэта дзеянне нельга адрабіць.", "Cancel" : "Скасаваць", - "Deletion cancelled" : "Выдаленне скасавана", "Original location" : "Зыходнае размяшчэнне", "Deleted by" : "Выдалены карыстальнікам ", "Deleted" : "Выдалены", @@ -21,6 +20,7 @@ "No deleted files" : "Няма выдаленых файлаў", "Files and folders you have deleted will show up here" : "Тут будуць адлюстроўвацца выдаленыя вамі файлы і папкі", "All files have been permanently deleted" : "Усе файлы былі выдалены назаўжды", - "Failed to empty deleted files" : "Не атрымалася ачысціць выдаленыя файлы" + "Failed to empty deleted files" : "Не атрымалася ачысціць выдаленыя файлы", + "Deletion cancelled" : "Выдаленне скасавана" },"pluralForm" :"nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/ca.js b/apps/files_trashbin/l10n/ca.js index 2d2c615e405..d23edb1e212 100644 --- a/apps/files_trashbin/l10n/ca.js +++ b/apps/files_trashbin/l10n/ca.js @@ -11,7 +11,6 @@ OC.L10N.register( "Confirm permanent deletion" : "Confirmeu l'eliminació permanent", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Esteu segur que voleu suprimir permanentment tots els fitxers i carpetes de la paperera? Això no es pot desfer.", "Cancel" : "Cancel·la", - "Deletion cancelled" : "S'ha cancel·lat la supressió", "Original location" : "Ubicació original", "Deleted by" : "Suprimit per", "Deleted" : "S'ha suprimit", @@ -21,6 +20,7 @@ OC.L10N.register( "You" : "Vós", "List of files that have been deleted." : "Llista de fitxers que s'han suprimit.", "No deleted files" : "No hi ha cap fitxer suprimit", - "Files and folders you have deleted will show up here" : "Els fitxers i les carpetes que suprimiu es mostraran aquí" + "Files and folders you have deleted will show up here" : "Els fitxers i les carpetes que suprimiu es mostraran aquí", + "Deletion cancelled" : "S'ha cancel·lat la supressió" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_trashbin/l10n/ca.json b/apps/files_trashbin/l10n/ca.json index 47a0411abf3..e8cf1f81467 100644 --- a/apps/files_trashbin/l10n/ca.json +++ b/apps/files_trashbin/l10n/ca.json @@ -9,7 +9,6 @@ "Confirm permanent deletion" : "Confirmeu l'eliminació permanent", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Esteu segur que voleu suprimir permanentment tots els fitxers i carpetes de la paperera? Això no es pot desfer.", "Cancel" : "Cancel·la", - "Deletion cancelled" : "S'ha cancel·lat la supressió", "Original location" : "Ubicació original", "Deleted by" : "Suprimit per", "Deleted" : "S'ha suprimit", @@ -19,6 +18,7 @@ "You" : "Vós", "List of files that have been deleted." : "Llista de fitxers que s'han suprimit.", "No deleted files" : "No hi ha cap fitxer suprimit", - "Files and folders you have deleted will show up here" : "Els fitxers i les carpetes que suprimiu es mostraran aquí" + "Files and folders you have deleted will show up here" : "Els fitxers i les carpetes que suprimiu es mostraran aquí", + "Deletion cancelled" : "S'ha cancel·lat la supressió" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/cs.js b/apps/files_trashbin/l10n/cs.js index 1c551eeb576..8be9e762355 100644 --- a/apps/files_trashbin/l10n/cs.js +++ b/apps/files_trashbin/l10n/cs.js @@ -12,7 +12,6 @@ OC.L10N.register( "Confirm permanent deletion" : "Potvrdit nevratné smazání", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Opravdu chcete nevratně smazat veškeré soubory a složky v koši? Toto nelze vzít zpět!", "Cancel" : "Storno", - "Deletion cancelled" : "Mazání zrušeno", "Original location" : "Původní umístění", "Deleted by" : "Smazal(a)", "Deleted" : "Smazáno", @@ -25,6 +24,7 @@ OC.L10N.register( "No deleted files" : "Žádné smazané soubory", "Files and folders you have deleted will show up here" : "Zde budou zobrazeny soubory a složky, které jste smazali", "All files have been permanently deleted" : "Veškeré soubory byly nevratně smazány", - "Failed to empty deleted files" : "Nepodařilo se vyprázdnit smazané soubory" + "Failed to empty deleted files" : "Nepodařilo se vyprázdnit smazané soubory", + "Deletion cancelled" : "Mazání zrušeno" }, "nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n >= 2 && n <= 4 && n % 1 == 0) ? 1: (n % 1 != 0 ) ? 2 : 3;"); diff --git a/apps/files_trashbin/l10n/cs.json b/apps/files_trashbin/l10n/cs.json index af9702b3dbb..36ab71ace47 100644 --- a/apps/files_trashbin/l10n/cs.json +++ b/apps/files_trashbin/l10n/cs.json @@ -10,7 +10,6 @@ "Confirm permanent deletion" : "Potvrdit nevratné smazání", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Opravdu chcete nevratně smazat veškeré soubory a složky v koši? Toto nelze vzít zpět!", "Cancel" : "Storno", - "Deletion cancelled" : "Mazání zrušeno", "Original location" : "Původní umístění", "Deleted by" : "Smazal(a)", "Deleted" : "Smazáno", @@ -23,6 +22,7 @@ "No deleted files" : "Žádné smazané soubory", "Files and folders you have deleted will show up here" : "Zde budou zobrazeny soubory a složky, které jste smazali", "All files have been permanently deleted" : "Veškeré soubory byly nevratně smazány", - "Failed to empty deleted files" : "Nepodařilo se vyprázdnit smazané soubory" + "Failed to empty deleted files" : "Nepodařilo se vyprázdnit smazané soubory", + "Deletion cancelled" : "Mazání zrušeno" },"pluralForm" :"nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n >= 2 && n <= 4 && n % 1 == 0) ? 1: (n % 1 != 0 ) ? 2 : 3;" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/da.js b/apps/files_trashbin/l10n/da.js index 2538fa1838e..97dcd55b1ad 100644 --- a/apps/files_trashbin/l10n/da.js +++ b/apps/files_trashbin/l10n/da.js @@ -11,7 +11,6 @@ OC.L10N.register( "Confirm permanent deletion" : "Bekræft permanent sletning", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Er du sikker på, at du vil slette alle filer og mapper i papirkurven permanent? Dette kan ikke fortrydes.", "Cancel" : "Annuller", - "Deletion cancelled" : "Sletning annulleret", "Original location" : "Oprindelig filplacering", "Deleted by" : "Slettet af ", "Deleted" : "Slettet", @@ -21,6 +20,7 @@ OC.L10N.register( "You" : "Dig", "List of files that have been deleted." : "Liste med filer der er blevet slettet.", "No deleted files" : "Ingen slettede filer", - "Files and folders you have deleted will show up here" : "Filer og mapper du har slettet, vil blive listet her" + "Files and folders you have deleted will show up here" : "Filer og mapper du har slettet, vil blive listet her", + "Deletion cancelled" : "Sletning annulleret" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_trashbin/l10n/da.json b/apps/files_trashbin/l10n/da.json index e582545ef22..21a5bed73a6 100644 --- a/apps/files_trashbin/l10n/da.json +++ b/apps/files_trashbin/l10n/da.json @@ -9,7 +9,6 @@ "Confirm permanent deletion" : "Bekræft permanent sletning", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Er du sikker på, at du vil slette alle filer og mapper i papirkurven permanent? Dette kan ikke fortrydes.", "Cancel" : "Annuller", - "Deletion cancelled" : "Sletning annulleret", "Original location" : "Oprindelig filplacering", "Deleted by" : "Slettet af ", "Deleted" : "Slettet", @@ -19,6 +18,7 @@ "You" : "Dig", "List of files that have been deleted." : "Liste med filer der er blevet slettet.", "No deleted files" : "Ingen slettede filer", - "Files and folders you have deleted will show up here" : "Filer og mapper du har slettet, vil blive listet her" + "Files and folders you have deleted will show up here" : "Filer og mapper du har slettet, vil blive listet her", + "Deletion cancelled" : "Sletning annulleret" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/de.js b/apps/files_trashbin/l10n/de.js index 301e9f8b5ec..e9691358434 100644 --- a/apps/files_trashbin/l10n/de.js +++ b/apps/files_trashbin/l10n/de.js @@ -12,7 +12,6 @@ OC.L10N.register( "Confirm permanent deletion" : "Endgültiges Löschen bestätigen", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Möchtest du wirklich alle Dateien und Ordner im Papierkorb endgültig löschen? Dies kann nicht rückgängig gemacht werden.", "Cancel" : "Abbrechen", - "Deletion cancelled" : "Löschen abgebrochen", "Original location" : "Ursprünglicher Ort", "Deleted by" : "Gelöscht von", "Deleted" : "Gelöscht", @@ -25,6 +24,7 @@ OC.L10N.register( "No deleted files" : "Keine gelöschten Dateien", "Files and folders you have deleted will show up here" : "Die von dir gelöschten Dateien und Ordner werden hier angezeigt", "All files have been permanently deleted" : "Alle Dateien wurden dauerhaft gelöscht", - "Failed to empty deleted files" : "Gelöschte Dateien konnten nicht geleert werden" + "Failed to empty deleted files" : "Gelöschte Dateien konnten nicht geleert werden", + "Deletion cancelled" : "Löschen abgebrochen" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_trashbin/l10n/de.json b/apps/files_trashbin/l10n/de.json index 3a0d2129645..c5818d11a66 100644 --- a/apps/files_trashbin/l10n/de.json +++ b/apps/files_trashbin/l10n/de.json @@ -10,7 +10,6 @@ "Confirm permanent deletion" : "Endgültiges Löschen bestätigen", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Möchtest du wirklich alle Dateien und Ordner im Papierkorb endgültig löschen? Dies kann nicht rückgängig gemacht werden.", "Cancel" : "Abbrechen", - "Deletion cancelled" : "Löschen abgebrochen", "Original location" : "Ursprünglicher Ort", "Deleted by" : "Gelöscht von", "Deleted" : "Gelöscht", @@ -23,6 +22,7 @@ "No deleted files" : "Keine gelöschten Dateien", "Files and folders you have deleted will show up here" : "Die von dir gelöschten Dateien und Ordner werden hier angezeigt", "All files have been permanently deleted" : "Alle Dateien wurden dauerhaft gelöscht", - "Failed to empty deleted files" : "Gelöschte Dateien konnten nicht geleert werden" + "Failed to empty deleted files" : "Gelöschte Dateien konnten nicht geleert werden", + "Deletion cancelled" : "Löschen abgebrochen" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/de_DE.js b/apps/files_trashbin/l10n/de_DE.js index 58c9ebb01ff..d0e9f83f535 100644 --- a/apps/files_trashbin/l10n/de_DE.js +++ b/apps/files_trashbin/l10n/de_DE.js @@ -12,7 +12,6 @@ OC.L10N.register( "Confirm permanent deletion" : "Endgültiges Löschen bestätigen", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Möchten Sie wirklich alle Dateien und Ordner im Papierkorb endgültig löschen? Dies kann nicht rückgängig gemacht werden.", "Cancel" : "Abbrechen", - "Deletion cancelled" : "Löschen abgebrochen", "Original location" : "Ursprünglicher Ort", "Deleted by" : "Gelöscht von", "Deleted" : "Gelöscht", @@ -25,6 +24,7 @@ OC.L10N.register( "No deleted files" : "Keine gelöschten Dateien", "Files and folders you have deleted will show up here" : "Die von Ihnen gelöschten Dateien und Ordner werden hier angezeigt", "All files have been permanently deleted" : "Alle Dateien wurden dauerhaft gelöscht", - "Failed to empty deleted files" : "Gelöschte Dateien konnten nicht geleert werden" + "Failed to empty deleted files" : "Gelöschte Dateien konnten nicht geleert werden", + "Deletion cancelled" : "Löschen abgebrochen" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_trashbin/l10n/de_DE.json b/apps/files_trashbin/l10n/de_DE.json index 38a7037401b..c6acf5f7048 100644 --- a/apps/files_trashbin/l10n/de_DE.json +++ b/apps/files_trashbin/l10n/de_DE.json @@ -10,7 +10,6 @@ "Confirm permanent deletion" : "Endgültiges Löschen bestätigen", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Möchten Sie wirklich alle Dateien und Ordner im Papierkorb endgültig löschen? Dies kann nicht rückgängig gemacht werden.", "Cancel" : "Abbrechen", - "Deletion cancelled" : "Löschen abgebrochen", "Original location" : "Ursprünglicher Ort", "Deleted by" : "Gelöscht von", "Deleted" : "Gelöscht", @@ -23,6 +22,7 @@ "No deleted files" : "Keine gelöschten Dateien", "Files and folders you have deleted will show up here" : "Die von Ihnen gelöschten Dateien und Ordner werden hier angezeigt", "All files have been permanently deleted" : "Alle Dateien wurden dauerhaft gelöscht", - "Failed to empty deleted files" : "Gelöschte Dateien konnten nicht geleert werden" + "Failed to empty deleted files" : "Gelöschte Dateien konnten nicht geleert werden", + "Deletion cancelled" : "Löschen abgebrochen" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/en_GB.js b/apps/files_trashbin/l10n/en_GB.js index 0fb2cf6fcc8..b45cfea4f5d 100644 --- a/apps/files_trashbin/l10n/en_GB.js +++ b/apps/files_trashbin/l10n/en_GB.js @@ -12,7 +12,6 @@ OC.L10N.register( "Confirm permanent deletion" : "Confirm permanent deletion", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone.", "Cancel" : "Cancel", - "Deletion cancelled" : "Deletion cancelled", "Original location" : "Original location", "Deleted by" : "Deleted by", "Deleted" : "Deleted", @@ -25,6 +24,7 @@ OC.L10N.register( "No deleted files" : "No deleted files", "Files and folders you have deleted will show up here" : "Files and folders you have deleted will show up here", "All files have been permanently deleted" : "All files have been permanently deleted", - "Failed to empty deleted files" : "Failed to empty deleted files" + "Failed to empty deleted files" : "Failed to empty deleted files", + "Deletion cancelled" : "Deletion cancelled" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_trashbin/l10n/en_GB.json b/apps/files_trashbin/l10n/en_GB.json index 39c2f293e68..81ce0b39602 100644 --- a/apps/files_trashbin/l10n/en_GB.json +++ b/apps/files_trashbin/l10n/en_GB.json @@ -10,7 +10,6 @@ "Confirm permanent deletion" : "Confirm permanent deletion", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone.", "Cancel" : "Cancel", - "Deletion cancelled" : "Deletion cancelled", "Original location" : "Original location", "Deleted by" : "Deleted by", "Deleted" : "Deleted", @@ -23,6 +22,7 @@ "No deleted files" : "No deleted files", "Files and folders you have deleted will show up here" : "Files and folders you have deleted will show up here", "All files have been permanently deleted" : "All files have been permanently deleted", - "Failed to empty deleted files" : "Failed to empty deleted files" + "Failed to empty deleted files" : "Failed to empty deleted files", + "Deletion cancelled" : "Deletion cancelled" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/es.js b/apps/files_trashbin/l10n/es.js index e4e7cfd975f..7a539db183c 100644 --- a/apps/files_trashbin/l10n/es.js +++ b/apps/files_trashbin/l10n/es.js @@ -7,20 +7,24 @@ OC.L10N.register( "This application enables people to restore files that were deleted from the system." : "Esta aplicación permite a los usuarios restaurar archivos que fueron eliminados del sistema.", "This application enables people to restore files that were deleted from the system. It displays a list of deleted files in the web interface, and has options to restore those deleted files back to the people file directories or remove them permanently from the system. Restoring a file also restores related file versions, if the versions application is enabled. When a file is deleted from a share, it can be restored in the same manner, though it is no longer shared. By default, these files remain in the trash bin for 30 days.\nTo prevent an account from running out of disk space, the Deleted files app will not utilize more than 50% of the currently available free quota for deleted files. If the deleted files exceed this limit, the app deletes the oldest files until it gets below this limit. More information is available in the Deleted Files documentation." : "Esta aplicación permite a los usuarios restaurar archivos que hayan sido eliminados del sistema. Muestra una lista de archivos eliminados en la interfaz web y ofrece opciones para restaurar esos archivos eliminados a los directorios de los usuarios o eliminarlos permanentemente del sistema. Al restaurar un archivo, también se restauran las versiones relacionadas del archivo, si la aplicación de versiones está habilitada. Cuando se elimina un archivo de un recurso compartido, también se puede restaurar de la misma manera, aunque ya no estará compartido. Por defecto, estos archivos permanecen en la papelera de reciclaje durante 30 días.\nPara evitar que una cuenta se quede sin espacio en el disco, la aplicación de archivos eliminados no utilizará más del 50% de la cuota disponible actualmente para los archivos eliminados. Si los archivos eliminados superan este límite, la aplicación eliminará los archivos más antiguos hasta que esté por debajo de este límite. Más información está disponible en la documentación de Archivos Eliminados.", "Restore" : "Recuperar", + "Not enough free space to restore the file/folder" : "No hay espacio libre suficiente para restaurar el archivo/carpeta", "Empty deleted files" : "Archivos eliminados vacío", "Confirm permanent deletion" : "Confimar borrado permanente", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "¿Estás seguro de que quieres eliminar permanentemente todos los archivos y carpetas de la papelera? Esta acción no se puede deshacer.", "Cancel" : "Cancelar", - "Deletion cancelled" : "Eliminación cancelada", "Original location" : "Ubicación original", "Deleted by" : "Borrado por", "Deleted" : "Eliminado", + "few seconds ago" : "hace unos pocos segundos", "A long time ago" : "Hace mucho tiempo", "Unknown" : "Desconocido", "All files" : "Todos los archivos", "You" : "Usted", "List of files that have been deleted." : "Lista de archivos que han sido eliminados.", "No deleted files" : "No hay archivos eliminados", - "Files and folders you have deleted will show up here" : "Los archivos y carpetas que ha eliminado aparecerán aquí" + "Files and folders you have deleted will show up here" : "Los archivos y carpetas que ha eliminado aparecerán aquí", + "All files have been permanently deleted" : "Todos los archivos han sido eliminados de forma permanente", + "Failed to empty deleted files" : "Fallo al vaciar los archivos eliminados", + "Deletion cancelled" : "Eliminación cancelada" }, "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); diff --git a/apps/files_trashbin/l10n/es.json b/apps/files_trashbin/l10n/es.json index ee20214f8cd..98e08e54e8a 100644 --- a/apps/files_trashbin/l10n/es.json +++ b/apps/files_trashbin/l10n/es.json @@ -5,20 +5,24 @@ "This application enables people to restore files that were deleted from the system." : "Esta aplicación permite a los usuarios restaurar archivos que fueron eliminados del sistema.", "This application enables people to restore files that were deleted from the system. It displays a list of deleted files in the web interface, and has options to restore those deleted files back to the people file directories or remove them permanently from the system. Restoring a file also restores related file versions, if the versions application is enabled. When a file is deleted from a share, it can be restored in the same manner, though it is no longer shared. By default, these files remain in the trash bin for 30 days.\nTo prevent an account from running out of disk space, the Deleted files app will not utilize more than 50% of the currently available free quota for deleted files. If the deleted files exceed this limit, the app deletes the oldest files until it gets below this limit. More information is available in the Deleted Files documentation." : "Esta aplicación permite a los usuarios restaurar archivos que hayan sido eliminados del sistema. Muestra una lista de archivos eliminados en la interfaz web y ofrece opciones para restaurar esos archivos eliminados a los directorios de los usuarios o eliminarlos permanentemente del sistema. Al restaurar un archivo, también se restauran las versiones relacionadas del archivo, si la aplicación de versiones está habilitada. Cuando se elimina un archivo de un recurso compartido, también se puede restaurar de la misma manera, aunque ya no estará compartido. Por defecto, estos archivos permanecen en la papelera de reciclaje durante 30 días.\nPara evitar que una cuenta se quede sin espacio en el disco, la aplicación de archivos eliminados no utilizará más del 50% de la cuota disponible actualmente para los archivos eliminados. Si los archivos eliminados superan este límite, la aplicación eliminará los archivos más antiguos hasta que esté por debajo de este límite. Más información está disponible en la documentación de Archivos Eliminados.", "Restore" : "Recuperar", + "Not enough free space to restore the file/folder" : "No hay espacio libre suficiente para restaurar el archivo/carpeta", "Empty deleted files" : "Archivos eliminados vacío", "Confirm permanent deletion" : "Confimar borrado permanente", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "¿Estás seguro de que quieres eliminar permanentemente todos los archivos y carpetas de la papelera? Esta acción no se puede deshacer.", "Cancel" : "Cancelar", - "Deletion cancelled" : "Eliminación cancelada", "Original location" : "Ubicación original", "Deleted by" : "Borrado por", "Deleted" : "Eliminado", + "few seconds ago" : "hace unos pocos segundos", "A long time ago" : "Hace mucho tiempo", "Unknown" : "Desconocido", "All files" : "Todos los archivos", "You" : "Usted", "List of files that have been deleted." : "Lista de archivos que han sido eliminados.", "No deleted files" : "No hay archivos eliminados", - "Files and folders you have deleted will show up here" : "Los archivos y carpetas que ha eliminado aparecerán aquí" + "Files and folders you have deleted will show up here" : "Los archivos y carpetas que ha eliminado aparecerán aquí", + "All files have been permanently deleted" : "Todos los archivos han sido eliminados de forma permanente", + "Failed to empty deleted files" : "Fallo al vaciar los archivos eliminados", + "Deletion cancelled" : "Eliminación cancelada" },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/es_MX.js b/apps/files_trashbin/l10n/es_MX.js index fbd15c230ae..60559480147 100644 --- a/apps/files_trashbin/l10n/es_MX.js +++ b/apps/files_trashbin/l10n/es_MX.js @@ -8,7 +8,6 @@ OC.L10N.register( "This application enables people to restore files that were deleted from the system. It displays a list of deleted files in the web interface, and has options to restore those deleted files back to the people file directories or remove them permanently from the system. Restoring a file also restores related file versions, if the versions application is enabled. When a file is deleted from a share, it can be restored in the same manner, though it is no longer shared. By default, these files remain in the trash bin for 30 days.\nTo prevent an account from running out of disk space, the Deleted files app will not utilize more than 50% of the currently available free quota for deleted files. If the deleted files exceed this limit, the app deletes the oldest files until it gets below this limit. More information is available in the Deleted Files documentation." : "Esta aplicación permite a los usuarios restaurar archivos que fueron borrados del sistema. Despliega una lista de los archivos borrados en la interface web, y tiene la opción de restaurarlos a los directorios de usuario o eliminarlos permanentemente del sistema. Restaurar un archivo también restaura las versiones relacionadas, si la aplicación de versiones está habilitada. Cuando se borra un archivo de un elemento compartido, puede ser restaurado de la misma manera, aunque ya no estará compartido. Por defecto, estos archivos permanecen en la papelera por 30 días.\nPara prevenir que un usuario se quede sin espacio, la aplicación de Archivos borrados no usará más del 50% del espacio disponible en ese momento para los archivos eliminados. Si los archivos eliminados exceden este límite, la aplicación elimina los archivos más antiguos hasta que queda dentro de este límite. Más información disponible en la documentación de Archivos borrados. ", "Restore" : "Restaurar", "Cancel" : "Cancelar", - "Deletion cancelled" : "Eliminación cancelada", "Original location" : "Ubicación original", "Deleted by" : "Eliminado por", "Deleted" : "Borrado", @@ -18,6 +17,7 @@ OC.L10N.register( "You" : "Usted", "List of files that have been deleted." : "Lista de archivos que han sido eliminados.", "No deleted files" : "No hay archivos borrados", - "Files and folders you have deleted will show up here" : "Los archivos y carpetas que ha eliminado aparecerán aquí" + "Files and folders you have deleted will show up here" : "Los archivos y carpetas que ha eliminado aparecerán aquí", + "Deletion cancelled" : "Eliminación cancelada" }, "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); diff --git a/apps/files_trashbin/l10n/es_MX.json b/apps/files_trashbin/l10n/es_MX.json index 25b7bcf8707..49b3231b10b 100644 --- a/apps/files_trashbin/l10n/es_MX.json +++ b/apps/files_trashbin/l10n/es_MX.json @@ -6,7 +6,6 @@ "This application enables people to restore files that were deleted from the system. It displays a list of deleted files in the web interface, and has options to restore those deleted files back to the people file directories or remove them permanently from the system. Restoring a file also restores related file versions, if the versions application is enabled. When a file is deleted from a share, it can be restored in the same manner, though it is no longer shared. By default, these files remain in the trash bin for 30 days.\nTo prevent an account from running out of disk space, the Deleted files app will not utilize more than 50% of the currently available free quota for deleted files. If the deleted files exceed this limit, the app deletes the oldest files until it gets below this limit. More information is available in the Deleted Files documentation." : "Esta aplicación permite a los usuarios restaurar archivos que fueron borrados del sistema. Despliega una lista de los archivos borrados en la interface web, y tiene la opción de restaurarlos a los directorios de usuario o eliminarlos permanentemente del sistema. Restaurar un archivo también restaura las versiones relacionadas, si la aplicación de versiones está habilitada. Cuando se borra un archivo de un elemento compartido, puede ser restaurado de la misma manera, aunque ya no estará compartido. Por defecto, estos archivos permanecen en la papelera por 30 días.\nPara prevenir que un usuario se quede sin espacio, la aplicación de Archivos borrados no usará más del 50% del espacio disponible en ese momento para los archivos eliminados. Si los archivos eliminados exceden este límite, la aplicación elimina los archivos más antiguos hasta que queda dentro de este límite. Más información disponible en la documentación de Archivos borrados. ", "Restore" : "Restaurar", "Cancel" : "Cancelar", - "Deletion cancelled" : "Eliminación cancelada", "Original location" : "Ubicación original", "Deleted by" : "Eliminado por", "Deleted" : "Borrado", @@ -16,6 +15,7 @@ "You" : "Usted", "List of files that have been deleted." : "Lista de archivos que han sido eliminados.", "No deleted files" : "No hay archivos borrados", - "Files and folders you have deleted will show up here" : "Los archivos y carpetas que ha eliminado aparecerán aquí" + "Files and folders you have deleted will show up here" : "Los archivos y carpetas que ha eliminado aparecerán aquí", + "Deletion cancelled" : "Eliminación cancelada" },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/et_EE.js b/apps/files_trashbin/l10n/et_EE.js index 26968b2cdaa..b849cda8af6 100644 --- a/apps/files_trashbin/l10n/et_EE.js +++ b/apps/files_trashbin/l10n/et_EE.js @@ -12,7 +12,6 @@ OC.L10N.register( "Confirm permanent deletion" : "Kinnita lõplik kustutamine", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Kas oled kindel, et tahad lõplikult kustutada kõik prügikastis olevad failid ja kaustad? Seda tegevust ei saa tagasi keerata.", "Cancel" : "Tühista", - "Deletion cancelled" : "Kustutamine on tühistatud", "Original location" : "Algasukoht", "Deleted by" : "Kustutas", "Deleted" : "Kustutatud", @@ -25,6 +24,7 @@ OC.L10N.register( "No deleted files" : "Kustutatud faile pole", "Files and folders you have deleted will show up here" : "Sinu kustutatud failid ja kaustad on nähtavad siin", "All files have been permanently deleted" : "Kõik failid on kustutatud jäädavalt", - "Failed to empty deleted files" : "Kustutatud failide eemaldamine ei õnnestunud" + "Failed to empty deleted files" : "Kustutatud failide eemaldamine ei õnnestunud", + "Deletion cancelled" : "Kustutamine on tühistatud" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_trashbin/l10n/et_EE.json b/apps/files_trashbin/l10n/et_EE.json index 99ecf77c9ec..f1112a1bbc2 100644 --- a/apps/files_trashbin/l10n/et_EE.json +++ b/apps/files_trashbin/l10n/et_EE.json @@ -10,7 +10,6 @@ "Confirm permanent deletion" : "Kinnita lõplik kustutamine", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Kas oled kindel, et tahad lõplikult kustutada kõik prügikastis olevad failid ja kaustad? Seda tegevust ei saa tagasi keerata.", "Cancel" : "Tühista", - "Deletion cancelled" : "Kustutamine on tühistatud", "Original location" : "Algasukoht", "Deleted by" : "Kustutas", "Deleted" : "Kustutatud", @@ -23,6 +22,7 @@ "No deleted files" : "Kustutatud faile pole", "Files and folders you have deleted will show up here" : "Sinu kustutatud failid ja kaustad on nähtavad siin", "All files have been permanently deleted" : "Kõik failid on kustutatud jäädavalt", - "Failed to empty deleted files" : "Kustutatud failide eemaldamine ei õnnestunud" + "Failed to empty deleted files" : "Kustutatud failide eemaldamine ei õnnestunud", + "Deletion cancelled" : "Kustutamine on tühistatud" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/eu.js b/apps/files_trashbin/l10n/eu.js index d6c8b8200c9..0378af13362 100644 --- a/apps/files_trashbin/l10n/eu.js +++ b/apps/files_trashbin/l10n/eu.js @@ -11,7 +11,6 @@ OC.L10N.register( "Confirm permanent deletion" : "Berretsi betirako ezabatzea", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Ziur betiko ezabatu nahi dituzula zakarrontziko fitxategi eta karpetak? Hau ezin da desegin.", "Cancel" : "Utzi", - "Deletion cancelled" : "Ezabatzea bertan behera utzi da", "Original location" : "Jatorrizko kokalekua", "Deleted by" : "Honek ezabatuta", "Deleted" : "Ezabatuta", @@ -21,6 +20,7 @@ OC.L10N.register( "You" : "Zu ", "List of files that have been deleted." : "Ezabatu diren fitxategien zerrenda.", "No deleted files" : "Ez dago ezabatutako fitxategirik", - "Files and folders you have deleted will show up here" : "Ezabatu dituzun fitxategi eta karpetak hemen agertuko dira" + "Files and folders you have deleted will show up here" : "Ezabatu dituzun fitxategi eta karpetak hemen agertuko dira", + "Deletion cancelled" : "Ezabatzea bertan behera utzi da" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_trashbin/l10n/eu.json b/apps/files_trashbin/l10n/eu.json index f017dd9e785..98399922256 100644 --- a/apps/files_trashbin/l10n/eu.json +++ b/apps/files_trashbin/l10n/eu.json @@ -9,7 +9,6 @@ "Confirm permanent deletion" : "Berretsi betirako ezabatzea", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Ziur betiko ezabatu nahi dituzula zakarrontziko fitxategi eta karpetak? Hau ezin da desegin.", "Cancel" : "Utzi", - "Deletion cancelled" : "Ezabatzea bertan behera utzi da", "Original location" : "Jatorrizko kokalekua", "Deleted by" : "Honek ezabatuta", "Deleted" : "Ezabatuta", @@ -19,6 +18,7 @@ "You" : "Zu ", "List of files that have been deleted." : "Ezabatu diren fitxategien zerrenda.", "No deleted files" : "Ez dago ezabatutako fitxategirik", - "Files and folders you have deleted will show up here" : "Ezabatu dituzun fitxategi eta karpetak hemen agertuko dira" + "Files and folders you have deleted will show up here" : "Ezabatu dituzun fitxategi eta karpetak hemen agertuko dira", + "Deletion cancelled" : "Ezabatzea bertan behera utzi da" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/fa.js b/apps/files_trashbin/l10n/fa.js index 55b89e58982..754f712da4b 100644 --- a/apps/files_trashbin/l10n/fa.js +++ b/apps/files_trashbin/l10n/fa.js @@ -6,7 +6,6 @@ OC.L10N.register( "Deleted files and folders in the trash bin (may expire during export if you are low on storage space)" : "Deleted files and folders in the trash bin (may expire during export if you are low on storage space)", "Restore" : "بازیابی", "Cancel" : "منصرف شدن", - "Deletion cancelled" : "Deletion cancelled", "Deleted" : "حذف شده", "A long time ago" : "مدت ها پیش", "Unknown" : "ناشناخته", @@ -14,6 +13,7 @@ OC.L10N.register( "You" : "You", "List of files that have been deleted." : "List of files that have been deleted.", "No deleted files" : "هیچ فایل حذف شده وجود ندارد", - "Files and folders you have deleted will show up here" : "Files and folders you have deleted will show up here" + "Files and folders you have deleted will show up here" : "Files and folders you have deleted will show up here", + "Deletion cancelled" : "Deletion cancelled" }, "nplurals=2; plural=(n > 1);"); diff --git a/apps/files_trashbin/l10n/fa.json b/apps/files_trashbin/l10n/fa.json index 18cdca47044..127fbaee743 100644 --- a/apps/files_trashbin/l10n/fa.json +++ b/apps/files_trashbin/l10n/fa.json @@ -4,7 +4,6 @@ "Deleted files and folders in the trash bin (may expire during export if you are low on storage space)" : "Deleted files and folders in the trash bin (may expire during export if you are low on storage space)", "Restore" : "بازیابی", "Cancel" : "منصرف شدن", - "Deletion cancelled" : "Deletion cancelled", "Deleted" : "حذف شده", "A long time ago" : "مدت ها پیش", "Unknown" : "ناشناخته", @@ -12,6 +11,7 @@ "You" : "You", "List of files that have been deleted." : "List of files that have been deleted.", "No deleted files" : "هیچ فایل حذف شده وجود ندارد", - "Files and folders you have deleted will show up here" : "Files and folders you have deleted will show up here" + "Files and folders you have deleted will show up here" : "Files and folders you have deleted will show up here", + "Deletion cancelled" : "Deletion cancelled" },"pluralForm" :"nplurals=2; plural=(n > 1);" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/fi.js b/apps/files_trashbin/l10n/fi.js index 2ce9a4f2c18..d60a19c42fc 100644 --- a/apps/files_trashbin/l10n/fi.js +++ b/apps/files_trashbin/l10n/fi.js @@ -9,7 +9,6 @@ OC.L10N.register( "Confirm permanent deletion" : "Vahvista lopullinen poistaminen", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Haluatko varmasti poistaa pysyvästi kaikki roskakorissa olevat tiedostot ja kansiot? Tätä ei voi perua.", "Cancel" : "Peruuta", - "Deletion cancelled" : "Poistaminen peruttu", "Original location" : "Alkuperäinen sijainti", "Deleted by" : "Poistanut", "Deleted" : "Poistettu", @@ -19,6 +18,7 @@ OC.L10N.register( "You" : "Sinä", "List of files that have been deleted." : "Luettelo poistetuista tiedostoista.", "No deleted files" : "Ei poistettuja tiedostoja", - "Files and folders you have deleted will show up here" : "Poistamasi tiedostot ja kansiot näkyvät täällä" + "Files and folders you have deleted will show up here" : "Poistamasi tiedostot ja kansiot näkyvät täällä", + "Deletion cancelled" : "Poistaminen peruttu" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_trashbin/l10n/fi.json b/apps/files_trashbin/l10n/fi.json index 9d2b9fd3a37..4e83a88a2b9 100644 --- a/apps/files_trashbin/l10n/fi.json +++ b/apps/files_trashbin/l10n/fi.json @@ -7,7 +7,6 @@ "Confirm permanent deletion" : "Vahvista lopullinen poistaminen", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Haluatko varmasti poistaa pysyvästi kaikki roskakorissa olevat tiedostot ja kansiot? Tätä ei voi perua.", "Cancel" : "Peruuta", - "Deletion cancelled" : "Poistaminen peruttu", "Original location" : "Alkuperäinen sijainti", "Deleted by" : "Poistanut", "Deleted" : "Poistettu", @@ -17,6 +16,7 @@ "You" : "Sinä", "List of files that have been deleted." : "Luettelo poistetuista tiedostoista.", "No deleted files" : "Ei poistettuja tiedostoja", - "Files and folders you have deleted will show up here" : "Poistamasi tiedostot ja kansiot näkyvät täällä" + "Files and folders you have deleted will show up here" : "Poistamasi tiedostot ja kansiot näkyvät täällä", + "Deletion cancelled" : "Poistaminen peruttu" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/fr.js b/apps/files_trashbin/l10n/fr.js index 7fa10abb4b6..bdc84aa3e7b 100644 --- a/apps/files_trashbin/l10n/fr.js +++ b/apps/files_trashbin/l10n/fr.js @@ -12,7 +12,6 @@ OC.L10N.register( "Confirm permanent deletion" : "Confirmer la suppression définitive", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Êtes-vous sûr de vouloir supprimer définitivement tous les fichiers et dossiers dans la corbeille ? Cette action est irréversible.", "Cancel" : "Annuler", - "Deletion cancelled" : "Suppression annulée", "Original location" : "Emplacement original", "Deleted by" : "Supprimé par", "Deleted" : "Supprimé", @@ -25,6 +24,7 @@ OC.L10N.register( "No deleted files" : "Aucun fichier supprimé", "Files and folders you have deleted will show up here" : "Les fichiers et dossiers que vous avez supprimés apparaîtront ici", "All files have been permanently deleted" : "Tous les fichiers ont été définitivement supprimés", - "Failed to empty deleted files" : "Échec de la vidange des fichiers supprimés" + "Failed to empty deleted files" : "Échec de la vidange des fichiers supprimés", + "Deletion cancelled" : "Suppression annulée" }, "nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); diff --git a/apps/files_trashbin/l10n/fr.json b/apps/files_trashbin/l10n/fr.json index 651e674f964..855cee45eee 100644 --- a/apps/files_trashbin/l10n/fr.json +++ b/apps/files_trashbin/l10n/fr.json @@ -10,7 +10,6 @@ "Confirm permanent deletion" : "Confirmer la suppression définitive", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Êtes-vous sûr de vouloir supprimer définitivement tous les fichiers et dossiers dans la corbeille ? Cette action est irréversible.", "Cancel" : "Annuler", - "Deletion cancelled" : "Suppression annulée", "Original location" : "Emplacement original", "Deleted by" : "Supprimé par", "Deleted" : "Supprimé", @@ -23,6 +22,7 @@ "No deleted files" : "Aucun fichier supprimé", "Files and folders you have deleted will show up here" : "Les fichiers et dossiers que vous avez supprimés apparaîtront ici", "All files have been permanently deleted" : "Tous les fichiers ont été définitivement supprimés", - "Failed to empty deleted files" : "Échec de la vidange des fichiers supprimés" + "Failed to empty deleted files" : "Échec de la vidange des fichiers supprimés", + "Deletion cancelled" : "Suppression annulée" },"pluralForm" :"nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/ga.js b/apps/files_trashbin/l10n/ga.js index 9398c33e8ea..bb6fd1b15fc 100644 --- a/apps/files_trashbin/l10n/ga.js +++ b/apps/files_trashbin/l10n/ga.js @@ -12,7 +12,6 @@ OC.L10N.register( "Confirm permanent deletion" : "Deimhnigh scriosadh buan", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "An bhfuil tú cinnte gur mian leat gach comhad agus fillteán sa bhruscar a scriosadh go buan? Ní féidir é seo a chealú.", "Cancel" : "Cealaigh", - "Deletion cancelled" : "Scriosadh cealaithe", "Original location" : "Suíomh bunaidh", "Deleted by" : "Scriosta ag", "Deleted" : "Scriosta", @@ -25,6 +24,7 @@ OC.L10N.register( "No deleted files" : "Níl aon chomhaid scriosta", "Files and folders you have deleted will show up here" : "Taispeánfar na comhaid agus na fillteáin atá scriosta agat anseo", "All files have been permanently deleted" : "Scriosadh na comhaid go léir go buan", - "Failed to empty deleted files" : "Theip ar na comhaid scriosta a fholmhú" + "Failed to empty deleted files" : "Theip ar na comhaid scriosta a fholmhú", + "Deletion cancelled" : "Scriosadh cealaithe" }, "nplurals=5; plural=(n==1 ? 0 : n==2 ? 1 : n<7 ? 2 : n<11 ? 3 : 4);"); diff --git a/apps/files_trashbin/l10n/ga.json b/apps/files_trashbin/l10n/ga.json index 11f97907012..25078b953af 100644 --- a/apps/files_trashbin/l10n/ga.json +++ b/apps/files_trashbin/l10n/ga.json @@ -10,7 +10,6 @@ "Confirm permanent deletion" : "Deimhnigh scriosadh buan", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "An bhfuil tú cinnte gur mian leat gach comhad agus fillteán sa bhruscar a scriosadh go buan? Ní féidir é seo a chealú.", "Cancel" : "Cealaigh", - "Deletion cancelled" : "Scriosadh cealaithe", "Original location" : "Suíomh bunaidh", "Deleted by" : "Scriosta ag", "Deleted" : "Scriosta", @@ -23,6 +22,7 @@ "No deleted files" : "Níl aon chomhaid scriosta", "Files and folders you have deleted will show up here" : "Taispeánfar na comhaid agus na fillteáin atá scriosta agat anseo", "All files have been permanently deleted" : "Scriosadh na comhaid go léir go buan", - "Failed to empty deleted files" : "Theip ar na comhaid scriosta a fholmhú" + "Failed to empty deleted files" : "Theip ar na comhaid scriosta a fholmhú", + "Deletion cancelled" : "Scriosadh cealaithe" },"pluralForm" :"nplurals=5; plural=(n==1 ? 0 : n==2 ? 1 : n<7 ? 2 : n<11 ? 3 : 4);" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/gl.js b/apps/files_trashbin/l10n/gl.js index 03f7d7b6ccf..db2553d93bb 100644 --- a/apps/files_trashbin/l10n/gl.js +++ b/apps/files_trashbin/l10n/gl.js @@ -11,7 +11,6 @@ OC.L10N.register( "Confirm permanent deletion" : "Confirmar a eliminación definitiva", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Confirma que quere eliminar definitivamente todos os ficheiros e cartafoles do cesto do lixo? Non é posíbel desfacer esta operación.", "Cancel" : "Cancelar", - "Deletion cancelled" : "Foi cancelada a eliminación", "Original location" : "Localización orixinal", "Deleted by" : "Eliminado por", "Deleted" : "Eliminado", @@ -21,6 +20,7 @@ OC.L10N.register( "You" : "Vde.", "List of files that have been deleted." : "Lista de ficheiros que foron eliminados.", "No deleted files" : "Non hai ficheiros eliminados", - "Files and folders you have deleted will show up here" : "Os ficheiros e cartafoles que eliminou amosaranse aquí" + "Files and folders you have deleted will show up here" : "Os ficheiros e cartafoles que eliminou amosaranse aquí", + "Deletion cancelled" : "Foi cancelada a eliminación" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_trashbin/l10n/gl.json b/apps/files_trashbin/l10n/gl.json index 248dbb9caa7..baefaa49c00 100644 --- a/apps/files_trashbin/l10n/gl.json +++ b/apps/files_trashbin/l10n/gl.json @@ -9,7 +9,6 @@ "Confirm permanent deletion" : "Confirmar a eliminación definitiva", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Confirma que quere eliminar definitivamente todos os ficheiros e cartafoles do cesto do lixo? Non é posíbel desfacer esta operación.", "Cancel" : "Cancelar", - "Deletion cancelled" : "Foi cancelada a eliminación", "Original location" : "Localización orixinal", "Deleted by" : "Eliminado por", "Deleted" : "Eliminado", @@ -19,6 +18,7 @@ "You" : "Vde.", "List of files that have been deleted." : "Lista de ficheiros que foron eliminados.", "No deleted files" : "Non hai ficheiros eliminados", - "Files and folders you have deleted will show up here" : "Os ficheiros e cartafoles que eliminou amosaranse aquí" + "Files and folders you have deleted will show up here" : "Os ficheiros e cartafoles que eliminou amosaranse aquí", + "Deletion cancelled" : "Foi cancelada a eliminación" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/hu.js b/apps/files_trashbin/l10n/hu.js index 7946b4c14cb..4083a3ec298 100644 --- a/apps/files_trashbin/l10n/hu.js +++ b/apps/files_trashbin/l10n/hu.js @@ -8,7 +8,6 @@ OC.L10N.register( "This application enables people to restore files that were deleted from the system. It displays a list of deleted files in the web interface, and has options to restore those deleted files back to the people file directories or remove them permanently from the system. Restoring a file also restores related file versions, if the versions application is enabled. When a file is deleted from a share, it can be restored in the same manner, though it is no longer shared. By default, these files remain in the trash bin for 30 days.\nTo prevent an account from running out of disk space, the Deleted files app will not utilize more than 50% of the currently available free quota for deleted files. If the deleted files exceed this limit, the app deletes the oldest files until it gets below this limit. More information is available in the Deleted Files documentation." : "Ez az alkalmazás lehetővé teszi a rendszerből már törölt fájlok visszaállítását. Webes felületen sorolja fel a törölt fájlokat, és azok visszahelyezhetők a könyvtárakba, vagy véglegesen törölhetők. Egy fájllal együtt annak korábbi verzióit is visszaállítja, amennyiben ez be van kapcsolva a rendszerben. Ha egy megosztásból lett törölve a fájl, ugyanígy visszaállítható, de már nem lesz megosztva. Ezek a fájlok alapértelmezetten 30 napig maradnak a kukában.\nHogy a fiók ne fusson ki az elérhető tárhelyből, a Törölt fájlok alkalmazás legfeljebb az elérhető terület 50%-át használja tárolásra. Ha ennél több fájl kerül bele, az alkalmazás törli a legrégebbi fájlokat, amíg a határértéken belülre nem kerül. További információ a Törölt fájlok dokumentációjában található.", "Restore" : "Visszaállítás", "Cancel" : "Mégse", - "Deletion cancelled" : "Törlés megszakítva", "Original location" : "Eredeti hely", "Deleted by" : "Törölte:", "Deleted" : "Törölve", @@ -18,6 +17,7 @@ OC.L10N.register( "You" : "Ön", "List of files that have been deleted." : "A törölt fájlok listája.", "No deleted files" : "Nincs törölt fájl", - "Files and folders you have deleted will show up here" : "A törölt fájlok és mappák itt jelennek meg" + "Files and folders you have deleted will show up here" : "A törölt fájlok és mappák itt jelennek meg", + "Deletion cancelled" : "Törlés megszakítva" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_trashbin/l10n/hu.json b/apps/files_trashbin/l10n/hu.json index 7de85fffa28..17d34eef115 100644 --- a/apps/files_trashbin/l10n/hu.json +++ b/apps/files_trashbin/l10n/hu.json @@ -6,7 +6,6 @@ "This application enables people to restore files that were deleted from the system. It displays a list of deleted files in the web interface, and has options to restore those deleted files back to the people file directories or remove them permanently from the system. Restoring a file also restores related file versions, if the versions application is enabled. When a file is deleted from a share, it can be restored in the same manner, though it is no longer shared. By default, these files remain in the trash bin for 30 days.\nTo prevent an account from running out of disk space, the Deleted files app will not utilize more than 50% of the currently available free quota for deleted files. If the deleted files exceed this limit, the app deletes the oldest files until it gets below this limit. More information is available in the Deleted Files documentation." : "Ez az alkalmazás lehetővé teszi a rendszerből már törölt fájlok visszaállítását. Webes felületen sorolja fel a törölt fájlokat, és azok visszahelyezhetők a könyvtárakba, vagy véglegesen törölhetők. Egy fájllal együtt annak korábbi verzióit is visszaállítja, amennyiben ez be van kapcsolva a rendszerben. Ha egy megosztásból lett törölve a fájl, ugyanígy visszaállítható, de már nem lesz megosztva. Ezek a fájlok alapértelmezetten 30 napig maradnak a kukában.\nHogy a fiók ne fusson ki az elérhető tárhelyből, a Törölt fájlok alkalmazás legfeljebb az elérhető terület 50%-át használja tárolásra. Ha ennél több fájl kerül bele, az alkalmazás törli a legrégebbi fájlokat, amíg a határértéken belülre nem kerül. További információ a Törölt fájlok dokumentációjában található.", "Restore" : "Visszaállítás", "Cancel" : "Mégse", - "Deletion cancelled" : "Törlés megszakítva", "Original location" : "Eredeti hely", "Deleted by" : "Törölte:", "Deleted" : "Törölve", @@ -16,6 +15,7 @@ "You" : "Ön", "List of files that have been deleted." : "A törölt fájlok listája.", "No deleted files" : "Nincs törölt fájl", - "Files and folders you have deleted will show up here" : "A törölt fájlok és mappák itt jelennek meg" + "Files and folders you have deleted will show up here" : "A törölt fájlok és mappák itt jelennek meg", + "Deletion cancelled" : "Törlés megszakítva" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/is.js b/apps/files_trashbin/l10n/is.js index ce0120d323a..135679b4201 100644 --- a/apps/files_trashbin/l10n/is.js +++ b/apps/files_trashbin/l10n/is.js @@ -10,7 +10,6 @@ OC.L10N.register( "Confirm permanent deletion" : "Staðfesta endanlega eyðingu", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Ertu viss um að þú viljir eyða öllum skrám og möppum úr ruslinu? Þessi aðgerð er óafturkræf.", "Cancel" : "Hætta við", - "Deletion cancelled" : "Hætt við eyðingu", "Original location" : "Upprunaleg staðsetning", "Deleted by" : "Eytt af", "Deleted" : "Eytt", @@ -20,6 +19,7 @@ OC.L10N.register( "You" : "Þú", "List of files that have been deleted." : "Listi yfir skrár sem hefur verið eytt.", "No deleted files" : "Engar eyddar skrár", - "Files and folders you have deleted will show up here" : "Skrár og möppur sem þú hefur eytt birtast hér" + "Files and folders you have deleted will show up here" : "Skrár og möppur sem þú hefur eytt birtast hér", + "Deletion cancelled" : "Hætt við eyðingu" }, "nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);"); diff --git a/apps/files_trashbin/l10n/is.json b/apps/files_trashbin/l10n/is.json index e54e006384d..a012a2612c9 100644 --- a/apps/files_trashbin/l10n/is.json +++ b/apps/files_trashbin/l10n/is.json @@ -8,7 +8,6 @@ "Confirm permanent deletion" : "Staðfesta endanlega eyðingu", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Ertu viss um að þú viljir eyða öllum skrám og möppum úr ruslinu? Þessi aðgerð er óafturkræf.", "Cancel" : "Hætta við", - "Deletion cancelled" : "Hætt við eyðingu", "Original location" : "Upprunaleg staðsetning", "Deleted by" : "Eytt af", "Deleted" : "Eytt", @@ -18,6 +17,7 @@ "You" : "Þú", "List of files that have been deleted." : "Listi yfir skrár sem hefur verið eytt.", "No deleted files" : "Engar eyddar skrár", - "Files and folders you have deleted will show up here" : "Skrár og möppur sem þú hefur eytt birtast hér" + "Files and folders you have deleted will show up here" : "Skrár og möppur sem þú hefur eytt birtast hér", + "Deletion cancelled" : "Hætt við eyðingu" },"pluralForm" :"nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/it.js b/apps/files_trashbin/l10n/it.js index ca8a49cfe52..3cf4949fa5e 100644 --- a/apps/files_trashbin/l10n/it.js +++ b/apps/files_trashbin/l10n/it.js @@ -9,7 +9,6 @@ OC.L10N.register( "Restore" : "Ripristina", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Sei sicuro di voler eliminare permanentemente tutti i file e le cartelle nel cestino? Questa operarazione non può essere annullata.", "Cancel" : "Annulla", - "Deletion cancelled" : "Eliminazione annullata", "Original location" : "Percorso originale", "Deleted by" : "Eliminato da", "Deleted" : "Eliminati", @@ -19,6 +18,7 @@ OC.L10N.register( "You" : "Tu", "List of files that have been deleted." : "Lista di file che sono stati eliminati.", "No deleted files" : "Nessun file eliminato", - "Files and folders you have deleted will show up here" : "I file e le cartelle che hai eliminato saranno mostrati qui" + "Files and folders you have deleted will show up here" : "I file e le cartelle che hai eliminato saranno mostrati qui", + "Deletion cancelled" : "Eliminazione annullata" }, "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); diff --git a/apps/files_trashbin/l10n/it.json b/apps/files_trashbin/l10n/it.json index a0ea5f5ad59..5008c162ef3 100644 --- a/apps/files_trashbin/l10n/it.json +++ b/apps/files_trashbin/l10n/it.json @@ -7,7 +7,6 @@ "Restore" : "Ripristina", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Sei sicuro di voler eliminare permanentemente tutti i file e le cartelle nel cestino? Questa operarazione non può essere annullata.", "Cancel" : "Annulla", - "Deletion cancelled" : "Eliminazione annullata", "Original location" : "Percorso originale", "Deleted by" : "Eliminato da", "Deleted" : "Eliminati", @@ -17,6 +16,7 @@ "You" : "Tu", "List of files that have been deleted." : "Lista di file che sono stati eliminati.", "No deleted files" : "Nessun file eliminato", - "Files and folders you have deleted will show up here" : "I file e le cartelle che hai eliminato saranno mostrati qui" + "Files and folders you have deleted will show up here" : "I file e le cartelle che hai eliminato saranno mostrati qui", + "Deletion cancelled" : "Eliminazione annullata" },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/ja.js b/apps/files_trashbin/l10n/ja.js index 8e2b2002a91..e27151b9a91 100644 --- a/apps/files_trashbin/l10n/ja.js +++ b/apps/files_trashbin/l10n/ja.js @@ -12,7 +12,6 @@ OC.L10N.register( "Confirm permanent deletion" : "完全削除を承認", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "ごみ箱のすべてのファイルとフォルダーを完全に削除しますか?この操作は元に戻すことができません。", "Cancel" : "キャンセル", - "Deletion cancelled" : "削除はキャンセルされました", "Original location" : "元の場所", "Deleted by" : "削除者", "Deleted" : "削除日時", @@ -25,6 +24,7 @@ OC.L10N.register( "No deleted files" : "削除されたファイルはありません", "Files and folders you have deleted will show up here" : "削除したファイルとフォルダーがここに表示されます", "All files have been permanently deleted" : "すべてのファイルが完全に削除されました", - "Failed to empty deleted files" : "削除されたファイルを空にできませんでした" + "Failed to empty deleted files" : "削除されたファイルを空にできませんでした", + "Deletion cancelled" : "削除はキャンセルされました" }, "nplurals=1; plural=0;"); diff --git a/apps/files_trashbin/l10n/ja.json b/apps/files_trashbin/l10n/ja.json index bee5c6ce94b..94b76ba9f56 100644 --- a/apps/files_trashbin/l10n/ja.json +++ b/apps/files_trashbin/l10n/ja.json @@ -10,7 +10,6 @@ "Confirm permanent deletion" : "完全削除を承認", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "ごみ箱のすべてのファイルとフォルダーを完全に削除しますか?この操作は元に戻すことができません。", "Cancel" : "キャンセル", - "Deletion cancelled" : "削除はキャンセルされました", "Original location" : "元の場所", "Deleted by" : "削除者", "Deleted" : "削除日時", @@ -23,6 +22,7 @@ "No deleted files" : "削除されたファイルはありません", "Files and folders you have deleted will show up here" : "削除したファイルとフォルダーがここに表示されます", "All files have been permanently deleted" : "すべてのファイルが完全に削除されました", - "Failed to empty deleted files" : "削除されたファイルを空にできませんでした" + "Failed to empty deleted files" : "削除されたファイルを空にできませんでした", + "Deletion cancelled" : "削除はキャンセルされました" },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/ko.js b/apps/files_trashbin/l10n/ko.js index 585a7dff4b0..16b344a46cc 100644 --- a/apps/files_trashbin/l10n/ko.js +++ b/apps/files_trashbin/l10n/ko.js @@ -11,7 +11,6 @@ OC.L10N.register( "Confirm permanent deletion" : "영구 삭제 확인", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "휴지통 안의 모든 파일과 폴더를 영구적으로 삭제하시겠습니까? 되돌릴 수 없습니다.", "Cancel" : "취소", - "Deletion cancelled" : "삭제가 취소됨", "Original location" : "원래 위치", "Deleted by" : "삭제한 사용자: ", "Deleted" : "삭제됨", @@ -21,6 +20,7 @@ OC.L10N.register( "You" : "당신", "List of files that have been deleted." : "삭제된 파일들의 목록입니다.", "No deleted files" : "삭제된 파일 없음", - "Files and folders you have deleted will show up here" : "삭제된 파일 및 폴더가 여기에 나타납니다" + "Files and folders you have deleted will show up here" : "삭제된 파일 및 폴더가 여기에 나타납니다", + "Deletion cancelled" : "삭제가 취소됨" }, "nplurals=1; plural=0;"); diff --git a/apps/files_trashbin/l10n/ko.json b/apps/files_trashbin/l10n/ko.json index f641c554eae..325f1125a2a 100644 --- a/apps/files_trashbin/l10n/ko.json +++ b/apps/files_trashbin/l10n/ko.json @@ -9,7 +9,6 @@ "Confirm permanent deletion" : "영구 삭제 확인", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "휴지통 안의 모든 파일과 폴더를 영구적으로 삭제하시겠습니까? 되돌릴 수 없습니다.", "Cancel" : "취소", - "Deletion cancelled" : "삭제가 취소됨", "Original location" : "원래 위치", "Deleted by" : "삭제한 사용자: ", "Deleted" : "삭제됨", @@ -19,6 +18,7 @@ "You" : "당신", "List of files that have been deleted." : "삭제된 파일들의 목록입니다.", "No deleted files" : "삭제된 파일 없음", - "Files and folders you have deleted will show up here" : "삭제된 파일 및 폴더가 여기에 나타납니다" + "Files and folders you have deleted will show up here" : "삭제된 파일 및 폴더가 여기에 나타납니다", + "Deletion cancelled" : "삭제가 취소됨" },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/lt_LT.js b/apps/files_trashbin/l10n/lt_LT.js index 5228148a051..cb6369942ef 100644 --- a/apps/files_trashbin/l10n/lt_LT.js +++ b/apps/files_trashbin/l10n/lt_LT.js @@ -9,7 +9,6 @@ OC.L10N.register( "Restore" : "Atkurti", "Empty deleted files" : "Išvalyti ištrintus failus", "Cancel" : "Atsisakyti", - "Deletion cancelled" : "Ištrynimo atsisakyta", "Original location" : "Pradinė vieta", "Deleted by" : "Ištrynė", "Deleted" : "Ištrinta", @@ -19,6 +18,7 @@ OC.L10N.register( "You" : "Jūs", "List of files that have been deleted." : "Ištrintų failų sąrašas.", "No deleted files" : "Ištrintų failų nėra", - "Files and folders you have deleted will show up here" : "Čia bus rodomi failai ir aplankai, kuriuos ištrynėte" + "Files and folders you have deleted will show up here" : "Čia bus rodomi failai ir aplankai, kuriuos ištrynėte", + "Deletion cancelled" : "Ištrynimo atsisakyta" }, "nplurals=4; plural=(n % 10 == 1 && (n % 100 > 19 || n % 100 < 11) ? 0 : (n % 10 >= 2 && n % 10 <=9) && (n % 100 > 19 || n % 100 < 11) ? 1 : n % 1 != 0 ? 2: 3);"); diff --git a/apps/files_trashbin/l10n/lt_LT.json b/apps/files_trashbin/l10n/lt_LT.json index 96d28bf4127..4ceaeac0e5d 100644 --- a/apps/files_trashbin/l10n/lt_LT.json +++ b/apps/files_trashbin/l10n/lt_LT.json @@ -7,7 +7,6 @@ "Restore" : "Atkurti", "Empty deleted files" : "Išvalyti ištrintus failus", "Cancel" : "Atsisakyti", - "Deletion cancelled" : "Ištrynimo atsisakyta", "Original location" : "Pradinė vieta", "Deleted by" : "Ištrynė", "Deleted" : "Ištrinta", @@ -17,6 +16,7 @@ "You" : "Jūs", "List of files that have been deleted." : "Ištrintų failų sąrašas.", "No deleted files" : "Ištrintų failų nėra", - "Files and folders you have deleted will show up here" : "Čia bus rodomi failai ir aplankai, kuriuos ištrynėte" + "Files and folders you have deleted will show up here" : "Čia bus rodomi failai ir aplankai, kuriuos ištrynėte", + "Deletion cancelled" : "Ištrynimo atsisakyta" },"pluralForm" :"nplurals=4; plural=(n % 10 == 1 && (n % 100 > 19 || n % 100 < 11) ? 0 : (n % 10 >= 2 && n % 10 <=9) && (n % 100 > 19 || n % 100 < 11) ? 1 : n % 1 != 0 ? 2: 3);" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/mk.js b/apps/files_trashbin/l10n/mk.js index 185e7322a72..056dd37afc5 100644 --- a/apps/files_trashbin/l10n/mk.js +++ b/apps/files_trashbin/l10n/mk.js @@ -11,7 +11,6 @@ OC.L10N.register( "Confirm permanent deletion" : "Потврди бришење за стално", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Дали сте сигурни дека сакате перманентно да ги избришете сите датотеки и папки од корпата за отпадоци? Оваа акција неможе да се врати назад.", "Cancel" : "Откажи", - "Deletion cancelled" : "Бришењето е откажано", "Original location" : "Оргинална локација", "Deleted by" : "Избришано од", "Deleted" : "Избришана", @@ -21,6 +20,7 @@ OC.L10N.register( "You" : "Вас", "List of files that have been deleted." : "Листа на датотеки што ги имате избришано.", "No deleted files" : "Нема избришани датотеки", - "Files and folders you have deleted will show up here" : "Датотеките и папките кои ги имате избришано ќе се појават тука" + "Files and folders you have deleted will show up here" : "Датотеките и папките кои ги имате избришано ќе се појават тука", + "Deletion cancelled" : "Бришењето е откажано" }, "nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;"); diff --git a/apps/files_trashbin/l10n/mk.json b/apps/files_trashbin/l10n/mk.json index dba1645434b..818ef25a146 100644 --- a/apps/files_trashbin/l10n/mk.json +++ b/apps/files_trashbin/l10n/mk.json @@ -9,7 +9,6 @@ "Confirm permanent deletion" : "Потврди бришење за стално", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Дали сте сигурни дека сакате перманентно да ги избришете сите датотеки и папки од корпата за отпадоци? Оваа акција неможе да се врати назад.", "Cancel" : "Откажи", - "Deletion cancelled" : "Бришењето е откажано", "Original location" : "Оргинална локација", "Deleted by" : "Избришано од", "Deleted" : "Избришана", @@ -19,6 +18,7 @@ "You" : "Вас", "List of files that have been deleted." : "Листа на датотеки што ги имате избришано.", "No deleted files" : "Нема избришани датотеки", - "Files and folders you have deleted will show up here" : "Датотеките и папките кои ги имате избришано ќе се појават тука" + "Files and folders you have deleted will show up here" : "Датотеките и папките кои ги имате избришано ќе се појават тука", + "Deletion cancelled" : "Бришењето е откажано" },"pluralForm" :"nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/nb.js b/apps/files_trashbin/l10n/nb.js index 8de2e4780f3..98459549e71 100644 --- a/apps/files_trashbin/l10n/nb.js +++ b/apps/files_trashbin/l10n/nb.js @@ -11,7 +11,6 @@ OC.L10N.register( "Confirm permanent deletion" : "Bekreft permanent sletting", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Er du sikker på at du vil slette alle filer og mapper i papirkurven permanent? Denne handlingen kan ikke angres.", "Cancel" : "Avbryt", - "Deletion cancelled" : "Sletting avbrutt", "Original location" : "Opprinnelig plassering", "Deleted by" : "Slettet av", "Deleted" : "Slettet", @@ -21,6 +20,7 @@ OC.L10N.register( "You" : "Du", "List of files that have been deleted." : "Liste over filer som har blitt slettet.", "No deleted files" : "Ingen slettede filer", - "Files and folders you have deleted will show up here" : "Filer og mapper du har slettet vil dukke opp her" + "Files and folders you have deleted will show up here" : "Filer og mapper du har slettet vil dukke opp her", + "Deletion cancelled" : "Sletting avbrutt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_trashbin/l10n/nb.json b/apps/files_trashbin/l10n/nb.json index e486b87ccfb..090785da461 100644 --- a/apps/files_trashbin/l10n/nb.json +++ b/apps/files_trashbin/l10n/nb.json @@ -9,7 +9,6 @@ "Confirm permanent deletion" : "Bekreft permanent sletting", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Er du sikker på at du vil slette alle filer og mapper i papirkurven permanent? Denne handlingen kan ikke angres.", "Cancel" : "Avbryt", - "Deletion cancelled" : "Sletting avbrutt", "Original location" : "Opprinnelig plassering", "Deleted by" : "Slettet av", "Deleted" : "Slettet", @@ -19,6 +18,7 @@ "You" : "Du", "List of files that have been deleted." : "Liste over filer som har blitt slettet.", "No deleted files" : "Ingen slettede filer", - "Files and folders you have deleted will show up here" : "Filer og mapper du har slettet vil dukke opp her" + "Files and folders you have deleted will show up here" : "Filer og mapper du har slettet vil dukke opp her", + "Deletion cancelled" : "Sletting avbrutt" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/nl.js b/apps/files_trashbin/l10n/nl.js index 5eeb292a983..11cf800f0c1 100644 --- a/apps/files_trashbin/l10n/nl.js +++ b/apps/files_trashbin/l10n/nl.js @@ -12,7 +12,6 @@ OC.L10N.register( "Confirm permanent deletion" : "Bevestig permanente verwijdering", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Weet je zeker dat je parmanent alle bestanden en mappen in de prullenbak wilt verwijderen? Dit kan niet ongedaan worden gemaakt.", "Cancel" : "Annuleren", - "Deletion cancelled" : "Verwijdering geannuleerd", "Original location" : "Originele locatie", "Deleted by" : "Verwijderd door", "Deleted" : "Verwijderd", @@ -25,6 +24,7 @@ OC.L10N.register( "No deleted files" : "Geen verwijderde bestanden", "Files and folders you have deleted will show up here" : "Bestanden en mappen die je verwijderd hebt worden hier getoond", "All files have been permanently deleted" : "Alle bestanden zijn permanent verwijderd", - "Failed to empty deleted files" : "Mislukt om de verwijderde bestanden leeg te maken" + "Failed to empty deleted files" : "Mislukt om de verwijderde bestanden leeg te maken", + "Deletion cancelled" : "Verwijdering geannuleerd" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_trashbin/l10n/nl.json b/apps/files_trashbin/l10n/nl.json index df665e6dd63..85b767f67df 100644 --- a/apps/files_trashbin/l10n/nl.json +++ b/apps/files_trashbin/l10n/nl.json @@ -10,7 +10,6 @@ "Confirm permanent deletion" : "Bevestig permanente verwijdering", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Weet je zeker dat je parmanent alle bestanden en mappen in de prullenbak wilt verwijderen? Dit kan niet ongedaan worden gemaakt.", "Cancel" : "Annuleren", - "Deletion cancelled" : "Verwijdering geannuleerd", "Original location" : "Originele locatie", "Deleted by" : "Verwijderd door", "Deleted" : "Verwijderd", @@ -23,6 +22,7 @@ "No deleted files" : "Geen verwijderde bestanden", "Files and folders you have deleted will show up here" : "Bestanden en mappen die je verwijderd hebt worden hier getoond", "All files have been permanently deleted" : "Alle bestanden zijn permanent verwijderd", - "Failed to empty deleted files" : "Mislukt om de verwijderde bestanden leeg te maken" + "Failed to empty deleted files" : "Mislukt om de verwijderde bestanden leeg te maken", + "Deletion cancelled" : "Verwijdering geannuleerd" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/pl.js b/apps/files_trashbin/l10n/pl.js index 381c6af8275..86c6f5ba59e 100644 --- a/apps/files_trashbin/l10n/pl.js +++ b/apps/files_trashbin/l10n/pl.js @@ -12,7 +12,6 @@ OC.L10N.register( "Confirm permanent deletion" : "Potwierdź trwałe usunięcie", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Czy na pewno chcesz trwale usunąć wszystkie pliki i katalogi w koszu? Tego nie można cofnąć.", "Cancel" : "Anuluj", - "Deletion cancelled" : "Usuwanie anulowane", "Original location" : "Oryginalna lokalizacja", "Deleted by" : "Usunięto przez", "Deleted" : "Usunięto", @@ -25,6 +24,7 @@ OC.L10N.register( "No deleted files" : "Brak usuniętych plików", "Files and folders you have deleted will show up here" : "Tutaj pojawią się usunięte pliki i katalogi", "All files have been permanently deleted" : "Wszystkie pliki zostały trwale usunięte", - "Failed to empty deleted files" : "Nie udało się opróżnić usuniętych plików" + "Failed to empty deleted files" : "Nie udało się opróżnić usuniętych plików", + "Deletion cancelled" : "Usuwanie anulowane" }, "nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);"); diff --git a/apps/files_trashbin/l10n/pl.json b/apps/files_trashbin/l10n/pl.json index dab222a3c16..db46f0e9953 100644 --- a/apps/files_trashbin/l10n/pl.json +++ b/apps/files_trashbin/l10n/pl.json @@ -10,7 +10,6 @@ "Confirm permanent deletion" : "Potwierdź trwałe usunięcie", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Czy na pewno chcesz trwale usunąć wszystkie pliki i katalogi w koszu? Tego nie można cofnąć.", "Cancel" : "Anuluj", - "Deletion cancelled" : "Usuwanie anulowane", "Original location" : "Oryginalna lokalizacja", "Deleted by" : "Usunięto przez", "Deleted" : "Usunięto", @@ -23,6 +22,7 @@ "No deleted files" : "Brak usuniętych plików", "Files and folders you have deleted will show up here" : "Tutaj pojawią się usunięte pliki i katalogi", "All files have been permanently deleted" : "Wszystkie pliki zostały trwale usunięte", - "Failed to empty deleted files" : "Nie udało się opróżnić usuniętych plików" + "Failed to empty deleted files" : "Nie udało się opróżnić usuniętych plików", + "Deletion cancelled" : "Usuwanie anulowane" },"pluralForm" :"nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/pt_BR.js b/apps/files_trashbin/l10n/pt_BR.js index de9b08f8326..ccbc9ea0b6e 100644 --- a/apps/files_trashbin/l10n/pt_BR.js +++ b/apps/files_trashbin/l10n/pt_BR.js @@ -12,7 +12,6 @@ OC.L10N.register( "Confirm permanent deletion" : "Confirme exclusão permanente", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Tem certeza de que deseja excluir permanentemente todos os arquivos e pastas na lixeira? Isso não pode ser desfeito.", "Cancel" : "Cancelar", - "Deletion cancelled" : "Operação de exclusão cancelada", "Original location" : "Localização original", "Deleted by" : "Excluído por", "Deleted" : "Excluído", @@ -25,6 +24,7 @@ OC.L10N.register( "No deleted files" : "Nenhum arquivo excluído", "Files and folders you have deleted will show up here" : "Arquivos e pastas que você excluiu aparecerão aqui", "All files have been permanently deleted" : "Todos os arquivos foram excluídos permanentemente", - "Failed to empty deleted files" : "Falha ao esvaziar arquivos excluídos" + "Failed to empty deleted files" : "Falha ao esvaziar arquivos excluídos", + "Deletion cancelled" : "Operação de exclusão cancelada" }, "nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); diff --git a/apps/files_trashbin/l10n/pt_BR.json b/apps/files_trashbin/l10n/pt_BR.json index 8e8c5a3ec3d..09b76bc43ce 100644 --- a/apps/files_trashbin/l10n/pt_BR.json +++ b/apps/files_trashbin/l10n/pt_BR.json @@ -10,7 +10,6 @@ "Confirm permanent deletion" : "Confirme exclusão permanente", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Tem certeza de que deseja excluir permanentemente todos os arquivos e pastas na lixeira? Isso não pode ser desfeito.", "Cancel" : "Cancelar", - "Deletion cancelled" : "Operação de exclusão cancelada", "Original location" : "Localização original", "Deleted by" : "Excluído por", "Deleted" : "Excluído", @@ -23,6 +22,7 @@ "No deleted files" : "Nenhum arquivo excluído", "Files and folders you have deleted will show up here" : "Arquivos e pastas que você excluiu aparecerão aqui", "All files have been permanently deleted" : "Todos os arquivos foram excluídos permanentemente", - "Failed to empty deleted files" : "Falha ao esvaziar arquivos excluídos" + "Failed to empty deleted files" : "Falha ao esvaziar arquivos excluídos", + "Deletion cancelled" : "Operação de exclusão cancelada" },"pluralForm" :"nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/ru.js b/apps/files_trashbin/l10n/ru.js index bda138f4565..e5e4f3fb370 100644 --- a/apps/files_trashbin/l10n/ru.js +++ b/apps/files_trashbin/l10n/ru.js @@ -12,7 +12,6 @@ OC.L10N.register( "Confirm permanent deletion" : "Подтвердите постоянное удаление", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Вы уверены, что хотите навсегда удалить все файлы и папки в корзине? Это действие нельзя отменить.", "Cancel" : "Отмена", - "Deletion cancelled" : "Удаление отменено", "Original location" : "Исходный путь", "Deleted by" : "Удалено", "Deleted" : "Удалён", @@ -25,6 +24,7 @@ OC.L10N.register( "No deleted files" : "Нет удалённых файлов", "Files and folders you have deleted will show up here" : "Файлы и каталоги, которые вы удалили, будут отображаться здесь", "All files have been permanently deleted" : "Все файлы были удалены без возможности восстановления", - "Failed to empty deleted files" : "Не удалось очистить удалённые файлы" + "Failed to empty deleted files" : "Не удалось очистить удалённые файлы", + "Deletion cancelled" : "Удаление отменено" }, "nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);"); diff --git a/apps/files_trashbin/l10n/ru.json b/apps/files_trashbin/l10n/ru.json index 6c78d848da1..e262be31d78 100644 --- a/apps/files_trashbin/l10n/ru.json +++ b/apps/files_trashbin/l10n/ru.json @@ -10,7 +10,6 @@ "Confirm permanent deletion" : "Подтвердите постоянное удаление", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Вы уверены, что хотите навсегда удалить все файлы и папки в корзине? Это действие нельзя отменить.", "Cancel" : "Отмена", - "Deletion cancelled" : "Удаление отменено", "Original location" : "Исходный путь", "Deleted by" : "Удалено", "Deleted" : "Удалён", @@ -23,6 +22,7 @@ "No deleted files" : "Нет удалённых файлов", "Files and folders you have deleted will show up here" : "Файлы и каталоги, которые вы удалили, будут отображаться здесь", "All files have been permanently deleted" : "Все файлы были удалены без возможности восстановления", - "Failed to empty deleted files" : "Не удалось очистить удалённые файлы" + "Failed to empty deleted files" : "Не удалось очистить удалённые файлы", + "Deletion cancelled" : "Удаление отменено" },"pluralForm" :"nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/sk.js b/apps/files_trashbin/l10n/sk.js index 26c54639068..7b7acac04ea 100644 --- a/apps/files_trashbin/l10n/sk.js +++ b/apps/files_trashbin/l10n/sk.js @@ -11,7 +11,6 @@ OC.L10N.register( "Confirm permanent deletion" : "Potvrdiť premanentné zmazanie", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Naozaj chcete natrvalo odstrániť všetky súbory a priečinky v koši? Toto sa nedá vrátiť späť.", "Cancel" : "Zrušiť", - "Deletion cancelled" : "Zmazanie zrušené", "Original location" : "Pôvodné umiestnenie", "Deleted by" : "Odstránil", "Deleted" : "Zmazané", @@ -21,6 +20,7 @@ OC.L10N.register( "You" : "Vy", "List of files that have been deleted." : "Zoznam súborov, ktoré boli vymazané.", "No deleted files" : "Žiadne zmazané súbory", - "Files and folders you have deleted will show up here" : "Súbory a adresáre, ktoré ste vymazali, sa zobrazia tu" + "Files and folders you have deleted will show up here" : "Súbory a adresáre, ktoré ste vymazali, sa zobrazia tu", + "Deletion cancelled" : "Zmazanie zrušené" }, "nplurals=4; plural=(n % 1 == 0 && n == 1 ? 0 : n % 1 == 0 && n >= 2 && n <= 4 ? 1 : n % 1 != 0 ? 2: 3);"); diff --git a/apps/files_trashbin/l10n/sk.json b/apps/files_trashbin/l10n/sk.json index d8b6deba711..b8cda3fce7a 100644 --- a/apps/files_trashbin/l10n/sk.json +++ b/apps/files_trashbin/l10n/sk.json @@ -9,7 +9,6 @@ "Confirm permanent deletion" : "Potvrdiť premanentné zmazanie", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Naozaj chcete natrvalo odstrániť všetky súbory a priečinky v koši? Toto sa nedá vrátiť späť.", "Cancel" : "Zrušiť", - "Deletion cancelled" : "Zmazanie zrušené", "Original location" : "Pôvodné umiestnenie", "Deleted by" : "Odstránil", "Deleted" : "Zmazané", @@ -19,6 +18,7 @@ "You" : "Vy", "List of files that have been deleted." : "Zoznam súborov, ktoré boli vymazané.", "No deleted files" : "Žiadne zmazané súbory", - "Files and folders you have deleted will show up here" : "Súbory a adresáre, ktoré ste vymazali, sa zobrazia tu" + "Files and folders you have deleted will show up here" : "Súbory a adresáre, ktoré ste vymazali, sa zobrazia tu", + "Deletion cancelled" : "Zmazanie zrušené" },"pluralForm" :"nplurals=4; plural=(n % 1 == 0 && n == 1 ? 0 : n % 1 == 0 && n >= 2 && n <= 4 ? 1 : n % 1 != 0 ? 2: 3);" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/sr.js b/apps/files_trashbin/l10n/sr.js index 5cbbd92cf89..d1dafbc0537 100644 --- a/apps/files_trashbin/l10n/sr.js +++ b/apps/files_trashbin/l10n/sr.js @@ -12,7 +12,6 @@ OC.L10N.register( "Confirm permanent deletion" : "Потврдите трајно брисање", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Да ли сте сигурни да желите трајно да обришете све фајлове и фолдере у корпи за отпад? Ово не може да се поништи.", "Cancel" : "Откажи", - "Deletion cancelled" : "Брисање је отказано", "Original location" : "Оригинална локација", "Deleted by" : "Обрисао је", "Deleted" : "Обрисано", @@ -25,6 +24,7 @@ OC.L10N.register( "No deleted files" : "Нема обрисаних фајлова", "Files and folders you have deleted will show up here" : "Фајлови и фолдери које обришете ће се појавити овде", "All files have been permanently deleted" : "Сви фајлови су неповратно обрисани", - "Failed to empty deleted files" : "Није успело пражњење обрисаних фајлова" + "Failed to empty deleted files" : "Није успело пражњење обрисаних фајлова", + "Deletion cancelled" : "Брисање је отказано" }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/apps/files_trashbin/l10n/sr.json b/apps/files_trashbin/l10n/sr.json index 172e5d4cc52..5b7a0602235 100644 --- a/apps/files_trashbin/l10n/sr.json +++ b/apps/files_trashbin/l10n/sr.json @@ -10,7 +10,6 @@ "Confirm permanent deletion" : "Потврдите трајно брисање", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Да ли сте сигурни да желите трајно да обришете све фајлове и фолдере у корпи за отпад? Ово не може да се поништи.", "Cancel" : "Откажи", - "Deletion cancelled" : "Брисање је отказано", "Original location" : "Оригинална локација", "Deleted by" : "Обрисао је", "Deleted" : "Обрисано", @@ -23,6 +22,7 @@ "No deleted files" : "Нема обрисаних фајлова", "Files and folders you have deleted will show up here" : "Фајлови и фолдери које обришете ће се појавити овде", "All files have been permanently deleted" : "Сви фајлови су неповратно обрисани", - "Failed to empty deleted files" : "Није успело пражњење обрисаних фајлова" + "Failed to empty deleted files" : "Није успело пражњење обрисаних фајлова", + "Deletion cancelled" : "Брисање је отказано" },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/sv.js b/apps/files_trashbin/l10n/sv.js index 8f84f5c04f4..c92b073c651 100644 --- a/apps/files_trashbin/l10n/sv.js +++ b/apps/files_trashbin/l10n/sv.js @@ -12,7 +12,6 @@ OC.L10N.register( "Confirm permanent deletion" : "Bekräfta permanent radering", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Är du säker på att du vill radera alla filer och mappar i papperskorgen permanent? Detta kan inte ångras.", "Cancel" : "Avbryt", - "Deletion cancelled" : "Radering avbruten", "Original location" : "Ursprunglig plats", "Deleted by" : "Raderad av", "Deleted" : "Borttagen", @@ -25,6 +24,7 @@ OC.L10N.register( "No deleted files" : "Inga borttagna filer", "Files and folders you have deleted will show up here" : "Filer och mappar som du har tagit bort kommer att visas här", "All files have been permanently deleted" : "Alla filer har raderats permanent", - "Failed to empty deleted files" : "Kunde inte tömma raderade filer" + "Failed to empty deleted files" : "Kunde inte tömma raderade filer", + "Deletion cancelled" : "Radering avbruten" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_trashbin/l10n/sv.json b/apps/files_trashbin/l10n/sv.json index 2d4dcfb7d6f..8cc0ae20f97 100644 --- a/apps/files_trashbin/l10n/sv.json +++ b/apps/files_trashbin/l10n/sv.json @@ -10,7 +10,6 @@ "Confirm permanent deletion" : "Bekräfta permanent radering", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Är du säker på att du vill radera alla filer och mappar i papperskorgen permanent? Detta kan inte ångras.", "Cancel" : "Avbryt", - "Deletion cancelled" : "Radering avbruten", "Original location" : "Ursprunglig plats", "Deleted by" : "Raderad av", "Deleted" : "Borttagen", @@ -23,6 +22,7 @@ "No deleted files" : "Inga borttagna filer", "Files and folders you have deleted will show up here" : "Filer och mappar som du har tagit bort kommer att visas här", "All files have been permanently deleted" : "Alla filer har raderats permanent", - "Failed to empty deleted files" : "Kunde inte tömma raderade filer" + "Failed to empty deleted files" : "Kunde inte tömma raderade filer", + "Deletion cancelled" : "Radering avbruten" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/sw.js b/apps/files_trashbin/l10n/sw.js index e75ade44697..647a1016ef9 100644 --- a/apps/files_trashbin/l10n/sw.js +++ b/apps/files_trashbin/l10n/sw.js @@ -12,7 +12,6 @@ OC.L10N.register( "Confirm permanent deletion" : "Thibitisha ufutaji wa kudumu", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Je, una uhakika unataka kufuta kabisa faili na folda zote kwenye tupio? Hili haliwezi kutenduliwa.", "Cancel" : "Ghairi", - "Deletion cancelled" : "Ufutaji umesitishwa", "Original location" : "Mahali pa asili", "Deleted by" : "Imefutwa na", "Deleted" : "Vilivyofutwa", @@ -25,6 +24,7 @@ OC.L10N.register( "No deleted files" : "Hakuna faili zilizofutwa", "Files and folders you have deleted will show up here" : "Faili na folda ambazo umefuta zitaonekana hapa", "All files have been permanently deleted" : "Faili zote zimefutwa kabisa", - "Failed to empty deleted files" : "Imeshindwa kufuta faili zilizofutwa" + "Failed to empty deleted files" : "Imeshindwa kufuta faili zilizofutwa", + "Deletion cancelled" : "Ufutaji umesitishwa" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_trashbin/l10n/sw.json b/apps/files_trashbin/l10n/sw.json index a86d221a6b7..edaf1a162a7 100644 --- a/apps/files_trashbin/l10n/sw.json +++ b/apps/files_trashbin/l10n/sw.json @@ -10,7 +10,6 @@ "Confirm permanent deletion" : "Thibitisha ufutaji wa kudumu", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Je, una uhakika unataka kufuta kabisa faili na folda zote kwenye tupio? Hili haliwezi kutenduliwa.", "Cancel" : "Ghairi", - "Deletion cancelled" : "Ufutaji umesitishwa", "Original location" : "Mahali pa asili", "Deleted by" : "Imefutwa na", "Deleted" : "Vilivyofutwa", @@ -23,6 +22,7 @@ "No deleted files" : "Hakuna faili zilizofutwa", "Files and folders you have deleted will show up here" : "Faili na folda ambazo umefuta zitaonekana hapa", "All files have been permanently deleted" : "Faili zote zimefutwa kabisa", - "Failed to empty deleted files" : "Imeshindwa kufuta faili zilizofutwa" + "Failed to empty deleted files" : "Imeshindwa kufuta faili zilizofutwa", + "Deletion cancelled" : "Ufutaji umesitishwa" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/tr.js b/apps/files_trashbin/l10n/tr.js index ab14ad7cad8..69dc72dbd81 100644 --- a/apps/files_trashbin/l10n/tr.js +++ b/apps/files_trashbin/l10n/tr.js @@ -12,7 +12,6 @@ OC.L10N.register( "Confirm permanent deletion" : "Kalıcı olarak silmeyi onaylayın", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Çöp kutusundaki tüm dosyaları ve klasörleri kalıcı olarak silmek istediğinize emin misiniz? Bu işlem geri alınamaz.", "Cancel" : "İptal", - "Deletion cancelled" : "Silme iptal edildi", "Original location" : "Özgün konum", "Deleted by" : "Silen", "Deleted" : "Silindi", @@ -25,6 +24,7 @@ OC.L10N.register( "No deleted files" : "Silinmiş bir dosya yok", "Files and folders you have deleted will show up here" : "Sildiğiniz dosya ve klasörler burada görüntülenir", "All files have been permanently deleted" : "Tüm dosyalar kalıcı olarak silindi", - "Failed to empty deleted files" : "Silinmiş dosyalar bölümü boşaltılamadı" + "Failed to empty deleted files" : "Silinmiş dosyalar bölümü boşaltılamadı", + "Deletion cancelled" : "Silme iptal edildi" }, "nplurals=2; plural=(n > 1);"); diff --git a/apps/files_trashbin/l10n/tr.json b/apps/files_trashbin/l10n/tr.json index 0d86ecf3639..0d4f6433c74 100644 --- a/apps/files_trashbin/l10n/tr.json +++ b/apps/files_trashbin/l10n/tr.json @@ -10,7 +10,6 @@ "Confirm permanent deletion" : "Kalıcı olarak silmeyi onaylayın", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Çöp kutusundaki tüm dosyaları ve klasörleri kalıcı olarak silmek istediğinize emin misiniz? Bu işlem geri alınamaz.", "Cancel" : "İptal", - "Deletion cancelled" : "Silme iptal edildi", "Original location" : "Özgün konum", "Deleted by" : "Silen", "Deleted" : "Silindi", @@ -23,6 +22,7 @@ "No deleted files" : "Silinmiş bir dosya yok", "Files and folders you have deleted will show up here" : "Sildiğiniz dosya ve klasörler burada görüntülenir", "All files have been permanently deleted" : "Tüm dosyalar kalıcı olarak silindi", - "Failed to empty deleted files" : "Silinmiş dosyalar bölümü boşaltılamadı" + "Failed to empty deleted files" : "Silinmiş dosyalar bölümü boşaltılamadı", + "Deletion cancelled" : "Silme iptal edildi" },"pluralForm" :"nplurals=2; plural=(n > 1);" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/ug.js b/apps/files_trashbin/l10n/ug.js index eaffca13f0e..58ee30df1fb 100644 --- a/apps/files_trashbin/l10n/ug.js +++ b/apps/files_trashbin/l10n/ug.js @@ -8,7 +8,6 @@ OC.L10N.register( "This application enables people to restore files that were deleted from the system. It displays a list of deleted files in the web interface, and has options to restore those deleted files back to the people file directories or remove them permanently from the system. Restoring a file also restores related file versions, if the versions application is enabled. When a file is deleted from a share, it can be restored in the same manner, though it is no longer shared. By default, these files remain in the trash bin for 30 days.\nTo prevent an account from running out of disk space, the Deleted files app will not utilize more than 50% of the currently available free quota for deleted files. If the deleted files exceed this limit, the app deletes the oldest files until it gets below this limit. More information is available in the Deleted Files documentation." : "بۇ پروگرامما كىشىلەرنى سىستېمىدىن ئۆچۈرۈلگەن ھۆججەتلەرنى ئەسلىگە كەلتۈرەلەيدۇ. ئۇ تور يۈزىدە ئۆچۈرۈلگەن ھۆججەتلەرنىڭ تىزىملىكىنى كۆرسىتىدۇ ، ھەمدە ئۆچۈرۈلگەن ھۆججەتلەرنى كىشىلەرنىڭ ھۆججەت مۇندەرىجىسىگە ئەسلىگە كەلتۈرۈش ياكى سىستېمىدىن مەڭگۈلۈك ئۆچۈرۈش تاللانمىلىرى بار. ھۆججەتنى ئەسلىگە كەلتۈرۈش مۇناسىۋەتلىك ھۆججەت نەشرىنى ئەسلىگە كەلتۈرىدۇ ، ئەگەر نەشرى قوللىنىشچان بولسا. ھۆججەت ئورتاقلىشىشتىن ئۆچۈرۈلسە ، ئورتاقلاشمىسىمۇ ، ئوخشاش ئۇسۇلدا ئەسلىگە كەلتۈرگىلى بولىدۇ. سۈكۈت بويىچە ، بۇ ھۆججەتلەر ئەخلەت ساندۇقىدا 30 كۈن تۇرىدۇ.\nھېساباتنىڭ دىسكا بوشلۇقىنىڭ تۈگەپ كېتىشىنىڭ ئالدىنى ئېلىش ئۈچۈن ، ئۆچۈرۈلگەن ھۆججەتلەر ئۆچۈرۈلگەن ھۆججەتلەر ئۈچۈن ھازىر بار بولغان ھەقسىز نورمىنىڭ%50 تىن كۆپرەكىنى ئىشلەتمەيدۇ. ئەگەر ئۆچۈرۈلگەن ھۆججەتلەر بۇ چەكتىن ئېشىپ كەتسە ، ئەپ بۇ چەكتىن تۆۋەن بولغۇچە ئەڭ كونا ھۆججەتلەرنى ئۆچۈرۈۋېتىدۇ. ئۆچۈرۈلگەن ھۆججەتلەر ھۆججىتىدە تېخىمۇ كۆپ ئۇچۇرلار بار.", "Restore" : "ئەسلىگە كەلتۈرۈش", "Cancel" : "بىكار قىلىش", - "Deletion cancelled" : "ئۆچۈرۈش ئەمەلدىن قالدۇرۇلدى", "Original location" : "ئەسلى ئورنى", "Deleted by" : "ئۆچۈرۈلدى", "Deleted" : "ئۆچۈرۈلدى", @@ -18,6 +17,7 @@ OC.L10N.register( "You" : "سەن", "List of files that have been deleted." : "ئۆچۈرۈلگەن ھۆججەتلەرنىڭ تىزىملىكى.", "No deleted files" : "ئۆچۈرۈلگەن ھۆججەت يوق", - "Files and folders you have deleted will show up here" : "سىز ئۆچۈرگەن ھۆججەت ۋە ھۆججەت قىسقۇچلار بۇ يەردە كۆرۈنىدۇ" + "Files and folders you have deleted will show up here" : "سىز ئۆچۈرگەن ھۆججەت ۋە ھۆججەت قىسقۇچلار بۇ يەردە كۆرۈنىدۇ", + "Deletion cancelled" : "ئۆچۈرۈش ئەمەلدىن قالدۇرۇلدى" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_trashbin/l10n/ug.json b/apps/files_trashbin/l10n/ug.json index 79661260757..ab65353c812 100644 --- a/apps/files_trashbin/l10n/ug.json +++ b/apps/files_trashbin/l10n/ug.json @@ -6,7 +6,6 @@ "This application enables people to restore files that were deleted from the system. It displays a list of deleted files in the web interface, and has options to restore those deleted files back to the people file directories or remove them permanently from the system. Restoring a file also restores related file versions, if the versions application is enabled. When a file is deleted from a share, it can be restored in the same manner, though it is no longer shared. By default, these files remain in the trash bin for 30 days.\nTo prevent an account from running out of disk space, the Deleted files app will not utilize more than 50% of the currently available free quota for deleted files. If the deleted files exceed this limit, the app deletes the oldest files until it gets below this limit. More information is available in the Deleted Files documentation." : "بۇ پروگرامما كىشىلەرنى سىستېمىدىن ئۆچۈرۈلگەن ھۆججەتلەرنى ئەسلىگە كەلتۈرەلەيدۇ. ئۇ تور يۈزىدە ئۆچۈرۈلگەن ھۆججەتلەرنىڭ تىزىملىكىنى كۆرسىتىدۇ ، ھەمدە ئۆچۈرۈلگەن ھۆججەتلەرنى كىشىلەرنىڭ ھۆججەت مۇندەرىجىسىگە ئەسلىگە كەلتۈرۈش ياكى سىستېمىدىن مەڭگۈلۈك ئۆچۈرۈش تاللانمىلىرى بار. ھۆججەتنى ئەسلىگە كەلتۈرۈش مۇناسىۋەتلىك ھۆججەت نەشرىنى ئەسلىگە كەلتۈرىدۇ ، ئەگەر نەشرى قوللىنىشچان بولسا. ھۆججەت ئورتاقلىشىشتىن ئۆچۈرۈلسە ، ئورتاقلاشمىسىمۇ ، ئوخشاش ئۇسۇلدا ئەسلىگە كەلتۈرگىلى بولىدۇ. سۈكۈت بويىچە ، بۇ ھۆججەتلەر ئەخلەت ساندۇقىدا 30 كۈن تۇرىدۇ.\nھېساباتنىڭ دىسكا بوشلۇقىنىڭ تۈگەپ كېتىشىنىڭ ئالدىنى ئېلىش ئۈچۈن ، ئۆچۈرۈلگەن ھۆججەتلەر ئۆچۈرۈلگەن ھۆججەتلەر ئۈچۈن ھازىر بار بولغان ھەقسىز نورمىنىڭ%50 تىن كۆپرەكىنى ئىشلەتمەيدۇ. ئەگەر ئۆچۈرۈلگەن ھۆججەتلەر بۇ چەكتىن ئېشىپ كەتسە ، ئەپ بۇ چەكتىن تۆۋەن بولغۇچە ئەڭ كونا ھۆججەتلەرنى ئۆچۈرۈۋېتىدۇ. ئۆچۈرۈلگەن ھۆججەتلەر ھۆججىتىدە تېخىمۇ كۆپ ئۇچۇرلار بار.", "Restore" : "ئەسلىگە كەلتۈرۈش", "Cancel" : "بىكار قىلىش", - "Deletion cancelled" : "ئۆچۈرۈش ئەمەلدىن قالدۇرۇلدى", "Original location" : "ئەسلى ئورنى", "Deleted by" : "ئۆچۈرۈلدى", "Deleted" : "ئۆچۈرۈلدى", @@ -16,6 +15,7 @@ "You" : "سەن", "List of files that have been deleted." : "ئۆچۈرۈلگەن ھۆججەتلەرنىڭ تىزىملىكى.", "No deleted files" : "ئۆچۈرۈلگەن ھۆججەت يوق", - "Files and folders you have deleted will show up here" : "سىز ئۆچۈرگەن ھۆججەت ۋە ھۆججەت قىسقۇچلار بۇ يەردە كۆرۈنىدۇ" + "Files and folders you have deleted will show up here" : "سىز ئۆچۈرگەن ھۆججەت ۋە ھۆججەت قىسقۇچلار بۇ يەردە كۆرۈنىدۇ", + "Deletion cancelled" : "ئۆچۈرۈش ئەمەلدىن قالدۇرۇلدى" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/uk.js b/apps/files_trashbin/l10n/uk.js index 8f9e802f1e3..8eba1f6a389 100644 --- a/apps/files_trashbin/l10n/uk.js +++ b/apps/files_trashbin/l10n/uk.js @@ -12,7 +12,6 @@ OC.L10N.register( "Confirm permanent deletion" : "Підтвердити остаточне вилучення", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Дійсно остаточно вилучити усі файли та каталоги у кошику? Цю операцію буде неможливо скасувати.", "Cancel" : "Скасувати", - "Deletion cancelled" : "Вилучення скасовано", "Original location" : "Звідки вилучено", "Deleted by" : "Ким вилучено", "Deleted" : "Вилучено", @@ -25,6 +24,7 @@ OC.L10N.register( "No deleted files" : "Кошик порожній", "Files and folders you have deleted will show up here" : "Тут показуватимуться файли та каталоги, які ви вилучили", "All files have been permanently deleted" : "Всі файли було безпворотно вилучено", - "Failed to empty deleted files" : "Не вдалося очистити вилучені файли" + "Failed to empty deleted files" : "Не вдалося очистити вилучені файли", + "Deletion cancelled" : "Вилучення скасовано" }, "nplurals=4; plural=(n % 1 == 0 && n % 10 == 1 && n % 100 != 11 ? 0 : n % 1 == 0 && n % 10 >= 2 && n % 10 <= 4 && (n % 100 < 12 || n % 100 > 14) ? 1 : n % 1 == 0 && (n % 10 ==0 || (n % 10 >=5 && n % 10 <=9) || (n % 100 >=11 && n % 100 <=14 )) ? 2: 3);"); diff --git a/apps/files_trashbin/l10n/uk.json b/apps/files_trashbin/l10n/uk.json index 7653b390146..e96d2caccbd 100644 --- a/apps/files_trashbin/l10n/uk.json +++ b/apps/files_trashbin/l10n/uk.json @@ -10,7 +10,6 @@ "Confirm permanent deletion" : "Підтвердити остаточне вилучення", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "Дійсно остаточно вилучити усі файли та каталоги у кошику? Цю операцію буде неможливо скасувати.", "Cancel" : "Скасувати", - "Deletion cancelled" : "Вилучення скасовано", "Original location" : "Звідки вилучено", "Deleted by" : "Ким вилучено", "Deleted" : "Вилучено", @@ -23,6 +22,7 @@ "No deleted files" : "Кошик порожній", "Files and folders you have deleted will show up here" : "Тут показуватимуться файли та каталоги, які ви вилучили", "All files have been permanently deleted" : "Всі файли було безпворотно вилучено", - "Failed to empty deleted files" : "Не вдалося очистити вилучені файли" + "Failed to empty deleted files" : "Не вдалося очистити вилучені файли", + "Deletion cancelled" : "Вилучення скасовано" },"pluralForm" :"nplurals=4; plural=(n % 1 == 0 && n % 10 == 1 && n % 100 != 11 ? 0 : n % 1 == 0 && n % 10 >= 2 && n % 10 <= 4 && (n % 100 < 12 || n % 100 > 14) ? 1 : n % 1 == 0 && (n % 10 ==0 || (n % 10 >=5 && n % 10 <=9) || (n % 100 >=11 && n % 100 <=14 )) ? 2: 3);" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/vi.js b/apps/files_trashbin/l10n/vi.js index 60dc629a16f..25c16c76215 100644 --- a/apps/files_trashbin/l10n/vi.js +++ b/apps/files_trashbin/l10n/vi.js @@ -6,7 +6,6 @@ OC.L10N.register( "Deleted files and folders in the trash bin (may expire during export if you are low on storage space)" : "Các tệp và thư mục đã xóa trong thùng rác (có thể hết hạn trong quá trình xuất nếu bạn sắp hết dung lượng lưu trữ)", "Restore" : "Khôi phục", "Cancel" : "Hủy bỏ", - "Deletion cancelled" : "Thao tác xóa bị hủy", "Deleted" : "Đã xóa", "A long time ago" : "Một khoảng thời gian trước", "Unknown" : "Không xác định", @@ -14,6 +13,7 @@ OC.L10N.register( "You" : "You", "List of files that have been deleted." : "Danh sách các tập tin đã bị xóa.", "No deleted files" : "Không có tập tin bị xóa", - "Files and folders you have deleted will show up here" : "Các tập tin và thư mục bạn đã xóa sẽ hiển thị ở đây" + "Files and folders you have deleted will show up here" : "Các tập tin và thư mục bạn đã xóa sẽ hiển thị ở đây", + "Deletion cancelled" : "Thao tác xóa bị hủy" }, "nplurals=1; plural=0;"); diff --git a/apps/files_trashbin/l10n/vi.json b/apps/files_trashbin/l10n/vi.json index 0f7e72f8adc..0c704fbf15d 100644 --- a/apps/files_trashbin/l10n/vi.json +++ b/apps/files_trashbin/l10n/vi.json @@ -4,7 +4,6 @@ "Deleted files and folders in the trash bin (may expire during export if you are low on storage space)" : "Các tệp và thư mục đã xóa trong thùng rác (có thể hết hạn trong quá trình xuất nếu bạn sắp hết dung lượng lưu trữ)", "Restore" : "Khôi phục", "Cancel" : "Hủy bỏ", - "Deletion cancelled" : "Thao tác xóa bị hủy", "Deleted" : "Đã xóa", "A long time ago" : "Một khoảng thời gian trước", "Unknown" : "Không xác định", @@ -12,6 +11,7 @@ "You" : "You", "List of files that have been deleted." : "Danh sách các tập tin đã bị xóa.", "No deleted files" : "Không có tập tin bị xóa", - "Files and folders you have deleted will show up here" : "Các tập tin và thư mục bạn đã xóa sẽ hiển thị ở đây" + "Files and folders you have deleted will show up here" : "Các tập tin và thư mục bạn đã xóa sẽ hiển thị ở đây", + "Deletion cancelled" : "Thao tác xóa bị hủy" },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/zh_CN.js b/apps/files_trashbin/l10n/zh_CN.js index b60db61c7ce..85d9c14bf9e 100644 --- a/apps/files_trashbin/l10n/zh_CN.js +++ b/apps/files_trashbin/l10n/zh_CN.js @@ -12,7 +12,6 @@ OC.L10N.register( "Confirm permanent deletion" : "确认永久删除", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "是否确定要永久删除回收站中的所有文件和文件夹?此操作无法撤销。", "Cancel" : "取消", - "Deletion cancelled" : "已取消删除", "Original location" : "初始位置", "Deleted by" : "删除者", "Deleted" : "已删除", @@ -25,6 +24,7 @@ OC.L10N.register( "No deleted files" : "无已删除文件", "Files and folders you have deleted will show up here" : "此处将显示您删除的文件和文件夹", "All files have been permanently deleted" : "所有文件已被永久删除", - "Failed to empty deleted files" : "无法清空回收站" + "Failed to empty deleted files" : "无法清空回收站", + "Deletion cancelled" : "已取消删除" }, "nplurals=1; plural=0;"); diff --git a/apps/files_trashbin/l10n/zh_CN.json b/apps/files_trashbin/l10n/zh_CN.json index a6fbdc3b3ed..6c8cec547ef 100644 --- a/apps/files_trashbin/l10n/zh_CN.json +++ b/apps/files_trashbin/l10n/zh_CN.json @@ -10,7 +10,6 @@ "Confirm permanent deletion" : "确认永久删除", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "是否确定要永久删除回收站中的所有文件和文件夹?此操作无法撤销。", "Cancel" : "取消", - "Deletion cancelled" : "已取消删除", "Original location" : "初始位置", "Deleted by" : "删除者", "Deleted" : "已删除", @@ -23,6 +22,7 @@ "No deleted files" : "无已删除文件", "Files and folders you have deleted will show up here" : "此处将显示您删除的文件和文件夹", "All files have been permanently deleted" : "所有文件已被永久删除", - "Failed to empty deleted files" : "无法清空回收站" + "Failed to empty deleted files" : "无法清空回收站", + "Deletion cancelled" : "已取消删除" },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/zh_HK.js b/apps/files_trashbin/l10n/zh_HK.js index 7fddf91a5f5..bb1a97eb0dd 100644 --- a/apps/files_trashbin/l10n/zh_HK.js +++ b/apps/files_trashbin/l10n/zh_HK.js @@ -12,7 +12,6 @@ OC.L10N.register( "Confirm permanent deletion" : "確認永久刪除", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "您確定要永久刪除回收桶中的所有檔案與資料夾嗎?這無法還原。", "Cancel" : "取消", - "Deletion cancelled" : "刪除已取消", "Original location" : "原先的位置", "Deleted by" : "被以下人仕刪除", "Deleted" : "已刪除", @@ -25,6 +24,7 @@ OC.L10N.register( "No deleted files" : "沒有已刪除的檔案", "Files and folders you have deleted will show up here" : "您已刪除的檔案與資料夾將會在此處顯示", "All files have been permanently deleted" : "所有檔案都已被永久刪除", - "Failed to empty deleted files" : "清空已刪除的檔案失敗" + "Failed to empty deleted files" : "清空已刪除的檔案失敗", + "Deletion cancelled" : "刪除已取消" }, "nplurals=1; plural=0;"); diff --git a/apps/files_trashbin/l10n/zh_HK.json b/apps/files_trashbin/l10n/zh_HK.json index 79926613250..43f5422bd89 100644 --- a/apps/files_trashbin/l10n/zh_HK.json +++ b/apps/files_trashbin/l10n/zh_HK.json @@ -10,7 +10,6 @@ "Confirm permanent deletion" : "確認永久刪除", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "您確定要永久刪除回收桶中的所有檔案與資料夾嗎?這無法還原。", "Cancel" : "取消", - "Deletion cancelled" : "刪除已取消", "Original location" : "原先的位置", "Deleted by" : "被以下人仕刪除", "Deleted" : "已刪除", @@ -23,6 +22,7 @@ "No deleted files" : "沒有已刪除的檔案", "Files and folders you have deleted will show up here" : "您已刪除的檔案與資料夾將會在此處顯示", "All files have been permanently deleted" : "所有檔案都已被永久刪除", - "Failed to empty deleted files" : "清空已刪除的檔案失敗" + "Failed to empty deleted files" : "清空已刪除的檔案失敗", + "Deletion cancelled" : "刪除已取消" },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/files_trashbin/l10n/zh_TW.js b/apps/files_trashbin/l10n/zh_TW.js index 4df774e705a..6d5c70d7a5c 100644 --- a/apps/files_trashbin/l10n/zh_TW.js +++ b/apps/files_trashbin/l10n/zh_TW.js @@ -12,7 +12,6 @@ OC.L10N.register( "Confirm permanent deletion" : "確認永久刪除", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "您確定您想要永久刪除回收桶中的所有檔案與資料夾嗎?這無法還原。", "Cancel" : "取消", - "Deletion cancelled" : "刪除已取消", "Original location" : "原始位置", "Deleted by" : "刪除者", "Deleted" : "已刪除", @@ -25,6 +24,7 @@ OC.L10N.register( "No deleted files" : "沒有刪除的檔案", "Files and folders you have deleted will show up here" : "您刪除的檔案與資料夾將會在此處顯示", "All files have been permanently deleted" : "所有檔案都已被永久刪除", - "Failed to empty deleted files" : "清空已刪除的檔案失敗" + "Failed to empty deleted files" : "清空已刪除的檔案失敗", + "Deletion cancelled" : "刪除已取消" }, "nplurals=1; plural=0;"); diff --git a/apps/files_trashbin/l10n/zh_TW.json b/apps/files_trashbin/l10n/zh_TW.json index 2d1d11079fd..50ce8a4e5aa 100644 --- a/apps/files_trashbin/l10n/zh_TW.json +++ b/apps/files_trashbin/l10n/zh_TW.json @@ -10,7 +10,6 @@ "Confirm permanent deletion" : "確認永久刪除", "Are you sure you want to permanently delete all files and folders in the trash? This cannot be undone." : "您確定您想要永久刪除回收桶中的所有檔案與資料夾嗎?這無法還原。", "Cancel" : "取消", - "Deletion cancelled" : "刪除已取消", "Original location" : "原始位置", "Deleted by" : "刪除者", "Deleted" : "已刪除", @@ -23,6 +22,7 @@ "No deleted files" : "沒有刪除的檔案", "Files and folders you have deleted will show up here" : "您刪除的檔案與資料夾將會在此處顯示", "All files have been permanently deleted" : "所有檔案都已被永久刪除", - "Failed to empty deleted files" : "清空已刪除的檔案失敗" + "Failed to empty deleted files" : "清空已刪除的檔案失敗", + "Deletion cancelled" : "刪除已取消" },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/files_trashbin/lib/Sabre/TrashbinPlugin.php b/apps/files_trashbin/lib/Sabre/TrashbinPlugin.php index 36237ca080b..54bb1326966 100644 --- a/apps/files_trashbin/lib/Sabre/TrashbinPlugin.php +++ b/apps/files_trashbin/lib/Sabre/TrashbinPlugin.php @@ -104,8 +104,8 @@ class TrashbinPlugin extends ServerPlugin { return $node->getFileId(); }); - $propFind->handle(FilesPlugin::HAS_PREVIEW_PROPERTYNAME, function () use ($node) { - return $this->previewManager->isAvailable($node->getFileInfo()); + $propFind->handle(FilesPlugin::HAS_PREVIEW_PROPERTYNAME, function () use ($node): string { + return $this->previewManager->isAvailable($node->getFileInfo()) ? 'true' : 'false'; }); $propFind->handle(FilesPlugin::MOUNT_TYPE_PROPERTYNAME, function () { diff --git a/apps/files_trashbin/src/files_listActions/emptyTrashAction.spec.ts b/apps/files_trashbin/src/files_listActions/emptyTrashAction.spec.ts index ba9697351e8..399c0f60043 100644 --- a/apps/files_trashbin/src/files_listActions/emptyTrashAction.spec.ts +++ b/apps/files_trashbin/src/files_listActions/emptyTrashAction.spec.ts @@ -115,17 +115,14 @@ describe('files_trashbin: file list actions - empty trashbin', () => { it('can cancel the deletion by closing the dialog', async () => { const apiSpy = vi.spyOn(api, 'emptyTrash') - const dialogSpy = vi.spyOn(ncDialogs, 'showInfo') dialogBuilder.build.mockImplementationOnce(() => ({ show: async () => false })) expect(await emptyTrashAction.exec(trashbinView, nodes, root)).toBe(null) expect(apiSpy).not.toBeCalled() - expect(dialogSpy).toBeCalledWith('Deletion cancelled') }) it('can cancel the deletion', async () => { const apiSpy = vi.spyOn(api, 'emptyTrash') - const dialogSpy = vi.spyOn(ncDialogs, 'showInfo') dialogBuilder.build.mockImplementationOnce(() => ({ show: async () => { @@ -136,7 +133,6 @@ describe('files_trashbin: file list actions - empty trashbin', () => { })) expect(await emptyTrashAction.exec(trashbinView, nodes, root)).toBe(null) expect(apiSpy).not.toBeCalled() - expect(dialogSpy).toBeCalledWith('Deletion cancelled') }) it('will trigger the API request if confirmed', async () => { diff --git a/apps/files_trashbin/src/files_listActions/emptyTrashAction.ts b/apps/files_trashbin/src/files_listActions/emptyTrashAction.ts index 67d6c9c373b..2b6ff171adf 100644 --- a/apps/files_trashbin/src/files_listActions/emptyTrashAction.ts +++ b/apps/files_trashbin/src/files_listActions/emptyTrashAction.ts @@ -11,7 +11,6 @@ import { t } from '@nextcloud/l10n' import { DialogSeverity, getDialogBuilder, - showInfo, } from '@nextcloud/dialogs' import { emptyTrash } from '../services/api.ts' import { TRASHBIN_VIEW_ID } from '../files_views/trashbinView.ts' @@ -71,7 +70,6 @@ export const emptyTrashAction = new FileListAction({ return null } - showInfo(t('files_trashbin', 'Deletion cancelled')) return null }, }) diff --git a/apps/files_versions/lib/Sabre/Plugin.php b/apps/files_versions/lib/Sabre/Plugin.php index 4b4cb0638bf..984c4a36e5b 100644 --- a/apps/files_versions/lib/Sabre/Plugin.php +++ b/apps/files_versions/lib/Sabre/Plugin.php @@ -82,7 +82,10 @@ class Plugin extends ServerPlugin { if ($node instanceof VersionFile) { $propFind->handle(self::VERSION_LABEL, fn () => $node->getMetadataValue(self::LABEL)); $propFind->handle(self::VERSION_AUTHOR, fn () => $node->getMetadataValue(self::AUTHOR)); - $propFind->handle(FilesPlugin::HAS_PREVIEW_PROPERTYNAME, fn () => $this->previewManager->isMimeSupported($node->getContentType())); + $propFind->handle( + FilesPlugin::HAS_PREVIEW_PROPERTYNAME, + fn (): string => $this->previewManager->isMimeSupported($node->getContentType()) ? 'true' : 'false', + ); } } diff --git a/apps/oauth2/l10n/es.js b/apps/oauth2/l10n/es.js index db9654982ce..8382ecf0842 100644 --- a/apps/oauth2/l10n/es.js +++ b/apps/oauth2/l10n/es.js @@ -13,7 +13,7 @@ OC.L10N.register( "Client Identifier" : "Identificador de cliente", "Secret key" : "Llave secreta", "Delete client" : "Eliminar cliente", - "Make sure you store the secret key, it cannot be recovered." : "Guarda la clave secreta, porque no se podrá ver más tarde.", + "Make sure you store the secret key, it cannot be recovered." : "Asegúrese de guardar la clave secreta, ya que no podrá ser recuperada.", "Add client" : "Añadir cliente", "Add" : "Añadir", "Show client secret" : "Mostrar secreto del cliente", diff --git a/apps/oauth2/l10n/es.json b/apps/oauth2/l10n/es.json index bcbbd8bf0e3..1c7eec7af72 100644 --- a/apps/oauth2/l10n/es.json +++ b/apps/oauth2/l10n/es.json @@ -11,7 +11,7 @@ "Client Identifier" : "Identificador de cliente", "Secret key" : "Llave secreta", "Delete client" : "Eliminar cliente", - "Make sure you store the secret key, it cannot be recovered." : "Guarda la clave secreta, porque no se podrá ver más tarde.", + "Make sure you store the secret key, it cannot be recovered." : "Asegúrese de guardar la clave secreta, ya que no podrá ser recuperada.", "Add client" : "Añadir cliente", "Add" : "Añadir", "Show client secret" : "Mostrar secreto del cliente", diff --git a/apps/settings/l10n/es.js b/apps/settings/l10n/es.js index 7e232991ce5..1e6d3d36944 100644 --- a/apps/settings/l10n/es.js +++ b/apps/settings/l10n/es.js @@ -314,6 +314,10 @@ OC.L10N.register( "Architecture" : "Arquitectura", "64-bit" : "64-bits", "It seems like you are running a 32-bit PHP version. Nextcloud needs 64-bit to run well. Please upgrade your OS and PHP to 64-bit!" : "Parece que estás utilizando una versión de PHP de 32 bits. Nextcloud necesita la versión de 64 bits para funcionar correctamente. Por favor, ¡actualiza tu sistema operativo y PHP a 64 bits!", + "Task Processing pickup speed" : "Velocidad con la que se cargan las tareas", + "_No scheduled tasks in the last %n hour._::_No scheduled tasks in the last %n hours._" : ["No hay tareas programadas en la última %n hora.","No hay tareas programadas en las últimas %n horas.","No hay tareas programadas en las últimas %n horas."], + "_The task pickup speed has been ok in the last %n hour._::_The task pickup speed has been ok in the last %n hours._" : ["La velocidad con la que se cargan las tareas ha estado ok en la última %n hora.","La velocidad con la que se cargan las tareas ha estado ok en las últimas %n horas.","La velocidad con la que se cargan las tareas ha estado ok en las últimas %n horas."], + "_The task pickup speed has been slow in the last %n hour. Many tasks took longer than 4 minutes to be picked up. Consider setting up a worker to process tasks in the background._::_The task pickup speed has been slow in the last %n hours. Many tasks took longer than 4 minutes to be picked up. Consider setting up a worker to process tasks in the background._" : ["La velocidad con la que se cargan las tareas se ha ralentizado en la última %n hora. Muchas tareas tomaron más de 4 minutos en cargarse. Considere configurar un worker para que procese estas tareas en segundo plano.","La velocidad con la que se cargan las tareas se ha ralentizado en las últimas %n horas. Muchas tareas tomaron más de 4 minutos en cargarse. Considere configurar un worker para que procese estas tareas en segundo plano.","La velocidad con la que se cargan las tareas se ha ralentizado en las últimas %n horas. Muchas tareas tomaron más de 4 minutos en cargarse. Considere configurar un worker para que procese estas tareas en segundo plano."], "Temporary space available" : "Espacio temporal disponible", "Error while checking the temporary PHP path - it was not properly set to a directory. Returned value: %s" : "Hubo un problema al verificar la ruta temporal de PHP - no fue apropiadamente establecida a un directorio. Valor de retorno: %s", "The PHP function \"disk_free_space\" is disabled, which prevents the check for enough space in the temporary directories." : "La función PHP \"disk_free_space\" está deshabilitada, lo que evita que se pueda chequear que hay suficiente espacio libre en los directorios temporales.", @@ -339,6 +343,7 @@ OC.L10N.register( "Nextcloud settings" : "Ajustes de Nextcloud", "Unified task processing" : "Procesamiento unificado de tareas", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Las tareas de IA pueden ser implementadas por diferentes aplicaciones. Aquí puede definir que app se debería utilizar para cada tarea.", + "Allow AI usage for guest users" : "Permitir el uso de la IA para los usuarios invitados", "Task:" : "Tarea:", "Enable" : "Activar", "None of your currently installed apps provide Task processing functionality" : "Ninguna de las aplicaciones que tienes actualmente instaladas proveen la funcionalidad de Tareas", @@ -361,8 +366,12 @@ OC.L10N.register( "Allow sharing with groups" : "Permitir compartir con grupos", "Restrict users to only share with users in their groups" : "Limitar a los usuarios a compartir solo con los usuarios de sus grupos", "Ignore the following groups when checking group membership" : "Ignorar los siguientes grupos cuando se verifique la pertenencia a grupos", + "Allow users to preview files even if download is disabled" : "Permitir a los usuarios obtener una vista previa de los archivos aún si las descargas están deshabilitadas", + "Users will still be able to screenshot or record the screen. This does not provide any definitive protection." : "Los usuarios serán capaces de tomar una captura de pantalla o grabarla. Esto no provee ninguna protección definitiva.", "Allow users to share via link and emails" : "Permitir a los usuarios compartir a través de enlaces y correos electrónicos", "Allow public uploads" : "Permitir subidas públicas", + "Allow public shares to be added to other clouds by federation." : "Permitir que los recursos compartidos públicos sean añadidos a otras nubes a través de la federación.", + "This will add share permissions to all newly created link shares." : "Esto añadirá permisos de recurso compartido a todos los enlaces compartidos nuevos.", "Always ask for a password" : "Pedir siempre la contraseña", "Enforce password protection" : "Forzar la protección por contraseña.", "Exclude groups from password requirements" : "Excluir grupos de los requisitos de contraseña", @@ -386,6 +395,7 @@ OC.L10N.register( "Default expiration time of remote shares in days" : "Tiempo de caducidad por defecto para nuevos elementos compartidos en remoto, en días", "Expire remote shares after x days" : "Los recursos compartidos en remoto caducan tras x días", "Set default expiration date for shares via link or mail" : "Establecer fecha de caducidad por defecto para recursos compartidos por enlace o por correo", + "Enforce expiration date for link or mail shares" : "Hacer obligatoria la fecha de expiración para los enlaces compartidos o recursos de correo compartido", "Default expiration time of shares in days" : "Fecha de caducidad predeterminada de recursos compartidos, en días", "Privacy settings for sharing" : "Ajustes de privacidad al compartir", "Allow account name autocompletion in share dialog and allow access to the system address book" : "Permitir el autocompletado del nombre de usuario en el diálogo de compartir y permitir el acceso a la libreta de direcciones del sistema", @@ -436,7 +446,7 @@ OC.L10N.register( "Search groups…" : "Buscar grupos…", "List of groups. This list is not fully populated for performance reasons. The groups will be loaded as you navigate or search through the list." : "Lista de grupos. Esta lista no se muestra completa por razones de rendimiento. Los grupos se cargarán a medida que navegue o busque en la lista.", "Loading groups…" : "Cargando grupos…", - "Could not load app discover section" : "No se pudo cargar la sección de descubrir aplicaciones", + "Could not load app discover section" : "No se pudo cargar la sección la sección de descubrimiento de la app", "Could not render element" : "No se pudo renderizar el elemento", "Nothing to show" : "Nada que mostrar", "Could not load section content from app store." : "No se pudo cargar el contenido de la sección desde la tienda de aplicaciones.", @@ -583,9 +593,12 @@ OC.L10N.register( "It is always good to create regular backups of your data, in case of encryption make sure to backup the encryption keys along with your data." : "Siempre es bueno crear copias de seguridad de sus datos, en el caso del cifrado, asegúrese de tener una copia de seguridad de las claves de cifrado junto con sus datos.", "Refer to the admin documentation on how to manually also encrypt existing files." : "Consulta la documentación del administrador para saber cómo cifrar manualmente también los archivos existentes.", "This is the final warning: Do you really want to enable encryption?" : "Esta es la advertencia final. ¿Realmente quiere activar el cifrado?", + "Failed to delete group \"{group}\"" : "Fallo al eliminar el grupo \"{group}\"", "Please confirm the group removal" : "Por favor, confirme la eliminación del grupo", + "You are about to delete the group \"{group}\". The accounts will NOT be deleted." : "Está por eliminar el grupo \"{group}\". Las cuentas NO serán eliminadas.", "Submit" : "Enviar", "Rename group" : "Renombrar grupo", + "Delete group" : "Eliminar grupo", "Current password" : "Contraseña actual", "New password" : "Nueva contraseña", "Change password" : "Cambiar contraseña", @@ -640,6 +653,7 @@ OC.L10N.register( "No locale set" : "No se ha establecido el idioma", "Your city" : "Su ciudad", "Your organisation" : "Su organización", + "Your phone number" : "Su número telefónico", "Edit your Profile visibility" : "Editar la visibilidad de tu perfil", "Unable to update profile enabled state" : "No se pudo actualizar el estado habilitado del perfil", "Enable profile" : "Habilitar perfil", @@ -648,6 +662,7 @@ OC.L10N.register( "she/her" : "ella", "he/him" : "él", "they/them" : "elle", + "Your pronouns. E.g. {pronounsExample}" : "Sus pronombres. P. ej. {pronounsExample}", "Your role" : "Su rol", "Your X (formerly Twitter) handle" : "Tu usuario de X (anteriormente Twitter)", "Your website" : "La dirección de su sitio web", diff --git a/apps/settings/l10n/es.json b/apps/settings/l10n/es.json index e901dcfa7eb..f3e25012a17 100644 --- a/apps/settings/l10n/es.json +++ b/apps/settings/l10n/es.json @@ -312,6 +312,10 @@ "Architecture" : "Arquitectura", "64-bit" : "64-bits", "It seems like you are running a 32-bit PHP version. Nextcloud needs 64-bit to run well. Please upgrade your OS and PHP to 64-bit!" : "Parece que estás utilizando una versión de PHP de 32 bits. Nextcloud necesita la versión de 64 bits para funcionar correctamente. Por favor, ¡actualiza tu sistema operativo y PHP a 64 bits!", + "Task Processing pickup speed" : "Velocidad con la que se cargan las tareas", + "_No scheduled tasks in the last %n hour._::_No scheduled tasks in the last %n hours._" : ["No hay tareas programadas en la última %n hora.","No hay tareas programadas en las últimas %n horas.","No hay tareas programadas en las últimas %n horas."], + "_The task pickup speed has been ok in the last %n hour._::_The task pickup speed has been ok in the last %n hours._" : ["La velocidad con la que se cargan las tareas ha estado ok en la última %n hora.","La velocidad con la que se cargan las tareas ha estado ok en las últimas %n horas.","La velocidad con la que se cargan las tareas ha estado ok en las últimas %n horas."], + "_The task pickup speed has been slow in the last %n hour. Many tasks took longer than 4 minutes to be picked up. Consider setting up a worker to process tasks in the background._::_The task pickup speed has been slow in the last %n hours. Many tasks took longer than 4 minutes to be picked up. Consider setting up a worker to process tasks in the background._" : ["La velocidad con la que se cargan las tareas se ha ralentizado en la última %n hora. Muchas tareas tomaron más de 4 minutos en cargarse. Considere configurar un worker para que procese estas tareas en segundo plano.","La velocidad con la que se cargan las tareas se ha ralentizado en las últimas %n horas. Muchas tareas tomaron más de 4 minutos en cargarse. Considere configurar un worker para que procese estas tareas en segundo plano.","La velocidad con la que se cargan las tareas se ha ralentizado en las últimas %n horas. Muchas tareas tomaron más de 4 minutos en cargarse. Considere configurar un worker para que procese estas tareas en segundo plano."], "Temporary space available" : "Espacio temporal disponible", "Error while checking the temporary PHP path - it was not properly set to a directory. Returned value: %s" : "Hubo un problema al verificar la ruta temporal de PHP - no fue apropiadamente establecida a un directorio. Valor de retorno: %s", "The PHP function \"disk_free_space\" is disabled, which prevents the check for enough space in the temporary directories." : "La función PHP \"disk_free_space\" está deshabilitada, lo que evita que se pueda chequear que hay suficiente espacio libre en los directorios temporales.", @@ -337,6 +341,7 @@ "Nextcloud settings" : "Ajustes de Nextcloud", "Unified task processing" : "Procesamiento unificado de tareas", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Las tareas de IA pueden ser implementadas por diferentes aplicaciones. Aquí puede definir que app se debería utilizar para cada tarea.", + "Allow AI usage for guest users" : "Permitir el uso de la IA para los usuarios invitados", "Task:" : "Tarea:", "Enable" : "Activar", "None of your currently installed apps provide Task processing functionality" : "Ninguna de las aplicaciones que tienes actualmente instaladas proveen la funcionalidad de Tareas", @@ -359,8 +364,12 @@ "Allow sharing with groups" : "Permitir compartir con grupos", "Restrict users to only share with users in their groups" : "Limitar a los usuarios a compartir solo con los usuarios de sus grupos", "Ignore the following groups when checking group membership" : "Ignorar los siguientes grupos cuando se verifique la pertenencia a grupos", + "Allow users to preview files even if download is disabled" : "Permitir a los usuarios obtener una vista previa de los archivos aún si las descargas están deshabilitadas", + "Users will still be able to screenshot or record the screen. This does not provide any definitive protection." : "Los usuarios serán capaces de tomar una captura de pantalla o grabarla. Esto no provee ninguna protección definitiva.", "Allow users to share via link and emails" : "Permitir a los usuarios compartir a través de enlaces y correos electrónicos", "Allow public uploads" : "Permitir subidas públicas", + "Allow public shares to be added to other clouds by federation." : "Permitir que los recursos compartidos públicos sean añadidos a otras nubes a través de la federación.", + "This will add share permissions to all newly created link shares." : "Esto añadirá permisos de recurso compartido a todos los enlaces compartidos nuevos.", "Always ask for a password" : "Pedir siempre la contraseña", "Enforce password protection" : "Forzar la protección por contraseña.", "Exclude groups from password requirements" : "Excluir grupos de los requisitos de contraseña", @@ -384,6 +393,7 @@ "Default expiration time of remote shares in days" : "Tiempo de caducidad por defecto para nuevos elementos compartidos en remoto, en días", "Expire remote shares after x days" : "Los recursos compartidos en remoto caducan tras x días", "Set default expiration date for shares via link or mail" : "Establecer fecha de caducidad por defecto para recursos compartidos por enlace o por correo", + "Enforce expiration date for link or mail shares" : "Hacer obligatoria la fecha de expiración para los enlaces compartidos o recursos de correo compartido", "Default expiration time of shares in days" : "Fecha de caducidad predeterminada de recursos compartidos, en días", "Privacy settings for sharing" : "Ajustes de privacidad al compartir", "Allow account name autocompletion in share dialog and allow access to the system address book" : "Permitir el autocompletado del nombre de usuario en el diálogo de compartir y permitir el acceso a la libreta de direcciones del sistema", @@ -434,7 +444,7 @@ "Search groups…" : "Buscar grupos…", "List of groups. This list is not fully populated for performance reasons. The groups will be loaded as you navigate or search through the list." : "Lista de grupos. Esta lista no se muestra completa por razones de rendimiento. Los grupos se cargarán a medida que navegue o busque en la lista.", "Loading groups…" : "Cargando grupos…", - "Could not load app discover section" : "No se pudo cargar la sección de descubrir aplicaciones", + "Could not load app discover section" : "No se pudo cargar la sección la sección de descubrimiento de la app", "Could not render element" : "No se pudo renderizar el elemento", "Nothing to show" : "Nada que mostrar", "Could not load section content from app store." : "No se pudo cargar el contenido de la sección desde la tienda de aplicaciones.", @@ -581,9 +591,12 @@ "It is always good to create regular backups of your data, in case of encryption make sure to backup the encryption keys along with your data." : "Siempre es bueno crear copias de seguridad de sus datos, en el caso del cifrado, asegúrese de tener una copia de seguridad de las claves de cifrado junto con sus datos.", "Refer to the admin documentation on how to manually also encrypt existing files." : "Consulta la documentación del administrador para saber cómo cifrar manualmente también los archivos existentes.", "This is the final warning: Do you really want to enable encryption?" : "Esta es la advertencia final. ¿Realmente quiere activar el cifrado?", + "Failed to delete group \"{group}\"" : "Fallo al eliminar el grupo \"{group}\"", "Please confirm the group removal" : "Por favor, confirme la eliminación del grupo", + "You are about to delete the group \"{group}\". The accounts will NOT be deleted." : "Está por eliminar el grupo \"{group}\". Las cuentas NO serán eliminadas.", "Submit" : "Enviar", "Rename group" : "Renombrar grupo", + "Delete group" : "Eliminar grupo", "Current password" : "Contraseña actual", "New password" : "Nueva contraseña", "Change password" : "Cambiar contraseña", @@ -638,6 +651,7 @@ "No locale set" : "No se ha establecido el idioma", "Your city" : "Su ciudad", "Your organisation" : "Su organización", + "Your phone number" : "Su número telefónico", "Edit your Profile visibility" : "Editar la visibilidad de tu perfil", "Unable to update profile enabled state" : "No se pudo actualizar el estado habilitado del perfil", "Enable profile" : "Habilitar perfil", @@ -646,6 +660,7 @@ "she/her" : "ella", "he/him" : "él", "they/them" : "elle", + "Your pronouns. E.g. {pronounsExample}" : "Sus pronombres. P. ej. {pronounsExample}", "Your role" : "Su rol", "Your X (formerly Twitter) handle" : "Tu usuario de X (anteriormente Twitter)", "Your website" : "La dirección de su sitio web", diff --git a/apps/settings/l10n/pt_BR.js b/apps/settings/l10n/pt_BR.js index 848734a4dbb..b676cd4e35b 100644 --- a/apps/settings/l10n/pt_BR.js +++ b/apps/settings/l10n/pt_BR.js @@ -395,6 +395,7 @@ OC.L10N.register( "Default expiration time of remote shares in days" : "Tempo de expiração padrão de compartilhamentos remotos em dias", "Expire remote shares after x days" : "Expiração de compartilhamentos remotos após x dias", "Set default expiration date for shares via link or mail" : "Definir a data de expiração padrão para compartilhamentos via link ou e-mail", + "Enforce expiration date for link or mail shares" : "Impor data de expiração para compartilhamentos de link ou e-mail", "Default expiration time of shares in days" : "Tempo de expiração padrão dos compartilhamentos em dias", "Privacy settings for sharing" : "Configurações de privacidade para compartilhamento", "Allow account name autocompletion in share dialog and allow access to the system address book" : "Permitir o preenchimento automático de nomes das contas na caixa de diálogo de compartilhamento e permitir o acesso ao catálogo de endereços do sistema", diff --git a/apps/settings/l10n/pt_BR.json b/apps/settings/l10n/pt_BR.json index 9ed68c369c2..891f8fa6d5f 100644 --- a/apps/settings/l10n/pt_BR.json +++ b/apps/settings/l10n/pt_BR.json @@ -393,6 +393,7 @@ "Default expiration time of remote shares in days" : "Tempo de expiração padrão de compartilhamentos remotos em dias", "Expire remote shares after x days" : "Expiração de compartilhamentos remotos após x dias", "Set default expiration date for shares via link or mail" : "Definir a data de expiração padrão para compartilhamentos via link ou e-mail", + "Enforce expiration date for link or mail shares" : "Impor data de expiração para compartilhamentos de link ou e-mail", "Default expiration time of shares in days" : "Tempo de expiração padrão dos compartilhamentos em dias", "Privacy settings for sharing" : "Configurações de privacidade para compartilhamento", "Allow account name autocompletion in share dialog and allow access to the system address book" : "Permitir o preenchimento automático de nomes das contas na caixa de diálogo de compartilhamento e permitir o acesso ao catálogo de endereços do sistema", diff --git a/apps/settings/l10n/uk.js b/apps/settings/l10n/uk.js index 92fdadf224b..856aa098e8a 100644 --- a/apps/settings/l10n/uk.js +++ b/apps/settings/l10n/uk.js @@ -395,6 +395,7 @@ OC.L10N.register( "Default expiration time of remote shares in days" : "Типовий термін дії спільних ресурсів у днях", "Expire remote shares after x days" : "Термін дії спільних ресурсів завершується через x днів", "Set default expiration date for shares via link or mail" : "Встановити типовий термін дії спільних ресурсів за посиланням або електронною поштою", + "Enforce expiration date for link or mail shares" : "Застосовувати термін дії для посилань або спільного доступу до пошти", "Default expiration time of shares in days" : "Типовий термін дії спільних ресурсів у днях", "Privacy settings for sharing" : "Налаштування конфіденційності для спільного доступу", "Allow account name autocompletion in share dialog and allow access to the system address book" : "Дозволити автозаповнення імени користувача та доступ до системної адресної книги", diff --git a/apps/settings/l10n/uk.json b/apps/settings/l10n/uk.json index 6ff8ab9eeaa..b405793fb1e 100644 --- a/apps/settings/l10n/uk.json +++ b/apps/settings/l10n/uk.json @@ -393,6 +393,7 @@ "Default expiration time of remote shares in days" : "Типовий термін дії спільних ресурсів у днях", "Expire remote shares after x days" : "Термін дії спільних ресурсів завершується через x днів", "Set default expiration date for shares via link or mail" : "Встановити типовий термін дії спільних ресурсів за посиланням або електронною поштою", + "Enforce expiration date for link or mail shares" : "Застосовувати термін дії для посилань або спільного доступу до пошти", "Default expiration time of shares in days" : "Типовий термін дії спільних ресурсів у днях", "Privacy settings for sharing" : "Налаштування конфіденційності для спільного доступу", "Allow account name autocompletion in share dialog and allow access to the system address book" : "Дозволити автозаповнення імени користувача та доступ до системної адресної книги", diff --git a/apps/settings/tests/Mailer/NewUserMailHelperTest.php b/apps/settings/tests/Mailer/NewUserMailHelperTest.php index 55520184fc9..f352a2b733d 100644 --- a/apps/settings/tests/Mailer/NewUserMailHelperTest.php +++ b/apps/settings/tests/Mailer/NewUserMailHelperTest.php @@ -256,32 +256,46 @@ class NewUserMailHelperTest extends TestCase { <tr style="padding:0;text-align:left;vertical-align:top"> <th style="Margin:0;color:#0a0a0a;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:400;line-height:1.3;margin:0;padding:0;text-align:left"> <center data-parsed="" style="min-width:490px;width:100%"> - <table class="button btn default primary float-center" style="Margin:0 0 30px 0;border-collapse:collapse;border-spacing:0;display:inline-block;float:none;margin:0 0 30px 0;margin-right:15px;border-radius:8px;max-width:300px;padding:0;text-align:center;vertical-align:top;width:auto;background:#00679e;background-color:#00679e;color:#fefefe;"> - <tr style="padding:0;text-align:left;vertical-align:top"> - <td style="-moz-hyphens:auto;-webkit-hyphens:auto;Margin:0;border-collapse:collapse!important;color:#0a0a0a;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:400;hyphens:auto;line-height:normal;margin:0;padding:0;text-align:left;vertical-align:top;word-wrap:break-word"> - <table style="border-collapse:collapse;border-spacing:0;padding:0;text-align:left;vertical-align:top;width:100%"> + <!--[if (gte mso 9)|(IE)]> + <table> + <tr> + <td> + <![endif]--> + <table class="button btn default primary float-center" style="Margin:0 0 30px 0;border-collapse:collapse;border-spacing:0;display:inline-block;float:none;margin:0 0 30px 0;margin-right:15px;border-radius:8px;max-width:300px;padding:0;text-align:center;vertical-align:top;width:auto;background:#00679e;background-color:#00679e;color:#fefefe;"> <tr style="padding:0;text-align:left;vertical-align:top"> - <td style="-moz-hyphens:auto;-webkit-hyphens:auto;Margin:0;border:0 solid #00679e;border-collapse:collapse!important;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:400;hyphens:auto;line-height:normal;margin:0;padding:0;text-align:left;vertical-align:top;word-wrap:break-word"> - <a href="https://example.com/resetPassword/MySuperLongSecureRandomToken" style="Margin:0;border:0 solid #00679e;color:#ffffff;display:inline-block;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:regular;line-height:normal;margin:0;padding:8px;text-align:left;outline:1px solid #ffffff;text-decoration:none">Set your password</a> + <td style="-moz-hyphens:auto;-webkit-hyphens:auto;Margin:0;border-collapse:collapse!important;color:#0a0a0a;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:400;hyphens:auto;line-height:normal;margin:0;padding:0;text-align:left;vertical-align:top;word-wrap:break-word"> + <table style="border-collapse:collapse;border-spacing:0;padding:0;text-align:left;vertical-align:top;width:100%"> + <tr style="padding:0;text-align:left;vertical-align:top"> + <td style="-moz-hyphens:auto;-webkit-hyphens:auto;Margin:0;border:0 solid #00679e;border-collapse:collapse!important;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:400;hyphens:auto;line-height:normal;margin:0;padding:0;text-align:left;vertical-align:top;word-wrap:break-word"> + <a href="https://example.com/resetPassword/MySuperLongSecureRandomToken" style="Margin:0;border:0 solid #00679e;color:#ffffff;display:inline-block;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:regular;line-height:normal;margin:0;padding:8px;text-align:left;outline:1px solid #ffffff;text-decoration:none">Set your password</a> + </td> + </tr> + </table> </td> </tr> </table> + <!--[if (gte mso 9)|(IE)]> </td> - </tr> - </table> - <table class="button btn default secondary float-center" style="Margin:0 0 30px 0;border-collapse:collapse;border-spacing:0;display:inline-block;float:none;background-color: #ccc;margin:0 0 30px 0;max-height:40px;max-width:300px;padding:1px;border-radius:8px;text-align:center;vertical-align:top;width:auto"> - <tr style="padding:0;text-align:left;vertical-align:top"> - <td style="-moz-hyphens:auto;-webkit-hyphens:auto;Margin:0;border-collapse:collapse!important;color:#0a0a0a;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:400;hyphens:auto;line-height:normal;margin:0;padding:0;text-align:left;vertical-align:top;word-wrap:break-word"> - <table style="border-collapse:collapse;border-spacing:0;padding:0;text-align:left;vertical-align:top;width:100%"> + <td> + <![endif]--> + <table class="button btn default secondary float-center" style="Margin:0 0 30px 0;border-collapse:collapse;border-spacing:0;display:inline-block;float:none;background-color: #ccc;margin:0 0 30px 0;max-height:40px;max-width:300px;padding:1px;border-radius:8px;text-align:center;vertical-align:top;width:auto"> <tr style="padding:0;text-align:left;vertical-align:top"> - <td style="-moz-hyphens:auto;-webkit-hyphens:auto;Margin:0;border:0 solid #777;border-collapse:collapse!important;color:#fefefe;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:400;hyphens:auto;line-height:normal;margin:0;padding:0;text-align:left;vertical-align:top;word-wrap:break-word"> - <a href="https://nextcloud.com/install/#install-clients" style="Margin:0;background-color:#fff;border:0 solid #777;color:#6C6C6C!important;display:inline-block;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:regular;line-height:normal;margin:0;border-radius: 7px;padding:8px;text-align:left;text-decoration:none">Install Client</a> + <td style="-moz-hyphens:auto;-webkit-hyphens:auto;Margin:0;border-collapse:collapse!important;color:#0a0a0a;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:400;hyphens:auto;line-height:normal;margin:0;padding:0;text-align:left;vertical-align:top;word-wrap:break-word"> + <table style="border-collapse:collapse;border-spacing:0;padding:0;text-align:left;vertical-align:top;width:100%"> + <tr style="padding:0;text-align:left;vertical-align:top"> + <td style="-moz-hyphens:auto;-webkit-hyphens:auto;Margin:0;border:0 solid #777;border-collapse:collapse!important;color:#fefefe;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:400;hyphens:auto;line-height:normal;margin:0;padding:0;text-align:left;vertical-align:top;word-wrap:break-word"> + <a href="https://nextcloud.com/install/#install-clients" style="Margin:0;background-color:#fff;border:0 solid #777;color:#6C6C6C!important;display:inline-block;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:regular;line-height:normal;margin:0;border-radius: 7px;padding:8px;text-align:left;text-decoration:none">Install Client</a> + </td> + </tr> + </table> </td> </tr> </table> + <!--[if (gte mso 9)|(IE)]> </td> </tr> </table> + <![endif]--> </center> </th> <th class="expander" style="Margin:0;color:#0a0a0a;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:400;line-height:1.3;margin:0;padding:0!important;text-align:left;visibility:hidden;width:0"></th> @@ -496,32 +510,46 @@ EOF; <tr style="padding:0;text-align:left;vertical-align:top"> <th style="Margin:0;color:#0a0a0a;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:400;line-height:1.3;margin:0;padding:0;text-align:left"> <center data-parsed="" style="min-width:490px;width:100%"> - <table class="button btn default primary float-center" style="Margin:0 0 30px 0;border-collapse:collapse;border-spacing:0;display:inline-block;float:none;margin:0 0 30px 0;margin-right:15px;border-radius:8px;max-width:300px;padding:0;text-align:center;vertical-align:top;width:auto;background:#00679e;background-color:#00679e;color:#fefefe;"> - <tr style="padding:0;text-align:left;vertical-align:top"> - <td style="-moz-hyphens:auto;-webkit-hyphens:auto;Margin:0;border-collapse:collapse!important;color:#0a0a0a;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:400;hyphens:auto;line-height:normal;margin:0;padding:0;text-align:left;vertical-align:top;word-wrap:break-word"> - <table style="border-collapse:collapse;border-spacing:0;padding:0;text-align:left;vertical-align:top;width:100%"> + <!--[if (gte mso 9)|(IE)]> + <table> + <tr> + <td> + <![endif]--> + <table class="button btn default primary float-center" style="Margin:0 0 30px 0;border-collapse:collapse;border-spacing:0;display:inline-block;float:none;margin:0 0 30px 0;margin-right:15px;border-radius:8px;max-width:300px;padding:0;text-align:center;vertical-align:top;width:auto;background:#00679e;background-color:#00679e;color:#fefefe;"> <tr style="padding:0;text-align:left;vertical-align:top"> - <td style="-moz-hyphens:auto;-webkit-hyphens:auto;Margin:0;border:0 solid #00679e;border-collapse:collapse!important;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:400;hyphens:auto;line-height:normal;margin:0;padding:0;text-align:left;vertical-align:top;word-wrap:break-word"> - <a href="https://example.com/" style="Margin:0;border:0 solid #00679e;color:#ffffff;display:inline-block;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:regular;line-height:normal;margin:0;padding:8px;text-align:left;outline:1px solid #ffffff;text-decoration:none">Go to TestCloud</a> + <td style="-moz-hyphens:auto;-webkit-hyphens:auto;Margin:0;border-collapse:collapse!important;color:#0a0a0a;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:400;hyphens:auto;line-height:normal;margin:0;padding:0;text-align:left;vertical-align:top;word-wrap:break-word"> + <table style="border-collapse:collapse;border-spacing:0;padding:0;text-align:left;vertical-align:top;width:100%"> + <tr style="padding:0;text-align:left;vertical-align:top"> + <td style="-moz-hyphens:auto;-webkit-hyphens:auto;Margin:0;border:0 solid #00679e;border-collapse:collapse!important;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:400;hyphens:auto;line-height:normal;margin:0;padding:0;text-align:left;vertical-align:top;word-wrap:break-word"> + <a href="https://example.com/" style="Margin:0;border:0 solid #00679e;color:#ffffff;display:inline-block;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:regular;line-height:normal;margin:0;padding:8px;text-align:left;outline:1px solid #ffffff;text-decoration:none">Go to TestCloud</a> + </td> + </tr> + </table> </td> </tr> </table> + <!--[if (gte mso 9)|(IE)]> </td> - </tr> - </table> - <table class="button btn default secondary float-center" style="Margin:0 0 30px 0;border-collapse:collapse;border-spacing:0;display:inline-block;float:none;background-color: #ccc;margin:0 0 30px 0;max-height:40px;max-width:300px;padding:1px;border-radius:8px;text-align:center;vertical-align:top;width:auto"> - <tr style="padding:0;text-align:left;vertical-align:top"> - <td style="-moz-hyphens:auto;-webkit-hyphens:auto;Margin:0;border-collapse:collapse!important;color:#0a0a0a;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:400;hyphens:auto;line-height:normal;margin:0;padding:0;text-align:left;vertical-align:top;word-wrap:break-word"> - <table style="border-collapse:collapse;border-spacing:0;padding:0;text-align:left;vertical-align:top;width:100%"> + <td> + <![endif]--> + <table class="button btn default secondary float-center" style="Margin:0 0 30px 0;border-collapse:collapse;border-spacing:0;display:inline-block;float:none;background-color: #ccc;margin:0 0 30px 0;max-height:40px;max-width:300px;padding:1px;border-radius:8px;text-align:center;vertical-align:top;width:auto"> <tr style="padding:0;text-align:left;vertical-align:top"> - <td style="-moz-hyphens:auto;-webkit-hyphens:auto;Margin:0;border:0 solid #777;border-collapse:collapse!important;color:#fefefe;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:400;hyphens:auto;line-height:normal;margin:0;padding:0;text-align:left;vertical-align:top;word-wrap:break-word"> - <a href="https://nextcloud.com/install/#install-clients" style="Margin:0;background-color:#fff;border:0 solid #777;color:#6C6C6C!important;display:inline-block;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:regular;line-height:normal;margin:0;border-radius: 7px;padding:8px;text-align:left;text-decoration:none">Install Client</a> + <td style="-moz-hyphens:auto;-webkit-hyphens:auto;Margin:0;border-collapse:collapse!important;color:#0a0a0a;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:400;hyphens:auto;line-height:normal;margin:0;padding:0;text-align:left;vertical-align:top;word-wrap:break-word"> + <table style="border-collapse:collapse;border-spacing:0;padding:0;text-align:left;vertical-align:top;width:100%"> + <tr style="padding:0;text-align:left;vertical-align:top"> + <td style="-moz-hyphens:auto;-webkit-hyphens:auto;Margin:0;border:0 solid #777;border-collapse:collapse!important;color:#fefefe;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:400;hyphens:auto;line-height:normal;margin:0;padding:0;text-align:left;vertical-align:top;word-wrap:break-word"> + <a href="https://nextcloud.com/install/#install-clients" style="Margin:0;background-color:#fff;border:0 solid #777;color:#6C6C6C!important;display:inline-block;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:regular;line-height:normal;margin:0;border-radius: 7px;padding:8px;text-align:left;text-decoration:none">Install Client</a> + </td> + </tr> + </table> </td> </tr> </table> + <!--[if (gte mso 9)|(IE)]> </td> </tr> </table> + <![endif]--> </center> </th> <th class="expander" style="Margin:0;color:#0a0a0a;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:400;line-height:1.3;margin:0;padding:0!important;text-align:left;visibility:hidden;width:0"></th> @@ -725,32 +753,46 @@ EOF; <tr style="padding:0;text-align:left;vertical-align:top"> <th style="Margin:0;color:#0a0a0a;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:400;line-height:1.3;margin:0;padding:0;text-align:left"> <center data-parsed="" style="min-width:490px;width:100%"> - <table class="button btn default primary float-center" style="Margin:0 0 30px 0;border-collapse:collapse;border-spacing:0;display:inline-block;float:none;margin:0 0 30px 0;margin-right:15px;border-radius:8px;max-width:300px;padding:0;text-align:center;vertical-align:top;width:auto;background:#00679e;background-color:#00679e;color:#fefefe;"> - <tr style="padding:0;text-align:left;vertical-align:top"> - <td style="-moz-hyphens:auto;-webkit-hyphens:auto;Margin:0;border-collapse:collapse!important;color:#0a0a0a;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:400;hyphens:auto;line-height:normal;margin:0;padding:0;text-align:left;vertical-align:top;word-wrap:break-word"> - <table style="border-collapse:collapse;border-spacing:0;padding:0;text-align:left;vertical-align:top;width:100%"> + <!--[if (gte mso 9)|(IE)]> + <table> + <tr> + <td> + <![endif]--> + <table class="button btn default primary float-center" style="Margin:0 0 30px 0;border-collapse:collapse;border-spacing:0;display:inline-block;float:none;margin:0 0 30px 0;margin-right:15px;border-radius:8px;max-width:300px;padding:0;text-align:center;vertical-align:top;width:auto;background:#00679e;background-color:#00679e;color:#fefefe;"> <tr style="padding:0;text-align:left;vertical-align:top"> - <td style="-moz-hyphens:auto;-webkit-hyphens:auto;Margin:0;border:0 solid #00679e;border-collapse:collapse!important;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:400;hyphens:auto;line-height:normal;margin:0;padding:0;text-align:left;vertical-align:top;word-wrap:break-word"> - <a href="https://example.com/" style="Margin:0;border:0 solid #00679e;color:#ffffff;display:inline-block;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:regular;line-height:normal;margin:0;padding:8px;text-align:left;outline:1px solid #ffffff;text-decoration:none">Go to TestCloud</a> + <td style="-moz-hyphens:auto;-webkit-hyphens:auto;Margin:0;border-collapse:collapse!important;color:#0a0a0a;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:400;hyphens:auto;line-height:normal;margin:0;padding:0;text-align:left;vertical-align:top;word-wrap:break-word"> + <table style="border-collapse:collapse;border-spacing:0;padding:0;text-align:left;vertical-align:top;width:100%"> + <tr style="padding:0;text-align:left;vertical-align:top"> + <td style="-moz-hyphens:auto;-webkit-hyphens:auto;Margin:0;border:0 solid #00679e;border-collapse:collapse!important;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:400;hyphens:auto;line-height:normal;margin:0;padding:0;text-align:left;vertical-align:top;word-wrap:break-word"> + <a href="https://example.com/" style="Margin:0;border:0 solid #00679e;color:#ffffff;display:inline-block;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:regular;line-height:normal;margin:0;padding:8px;text-align:left;outline:1px solid #ffffff;text-decoration:none">Go to TestCloud</a> + </td> + </tr> + </table> </td> </tr> </table> + <!--[if (gte mso 9)|(IE)]> </td> - </tr> - </table> - <table class="button btn default secondary float-center" style="Margin:0 0 30px 0;border-collapse:collapse;border-spacing:0;display:inline-block;float:none;background-color: #ccc;margin:0 0 30px 0;max-height:40px;max-width:300px;padding:1px;border-radius:8px;text-align:center;vertical-align:top;width:auto"> - <tr style="padding:0;text-align:left;vertical-align:top"> - <td style="-moz-hyphens:auto;-webkit-hyphens:auto;Margin:0;border-collapse:collapse!important;color:#0a0a0a;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:400;hyphens:auto;line-height:normal;margin:0;padding:0;text-align:left;vertical-align:top;word-wrap:break-word"> - <table style="border-collapse:collapse;border-spacing:0;padding:0;text-align:left;vertical-align:top;width:100%"> + <td> + <![endif]--> + <table class="button btn default secondary float-center" style="Margin:0 0 30px 0;border-collapse:collapse;border-spacing:0;display:inline-block;float:none;background-color: #ccc;margin:0 0 30px 0;max-height:40px;max-width:300px;padding:1px;border-radius:8px;text-align:center;vertical-align:top;width:auto"> <tr style="padding:0;text-align:left;vertical-align:top"> - <td style="-moz-hyphens:auto;-webkit-hyphens:auto;Margin:0;border:0 solid #777;border-collapse:collapse!important;color:#fefefe;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:400;hyphens:auto;line-height:normal;margin:0;padding:0;text-align:left;vertical-align:top;word-wrap:break-word"> - <a href="https://nextcloud.com/install/#install-clients" style="Margin:0;background-color:#fff;border:0 solid #777;color:#6C6C6C!important;display:inline-block;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:regular;line-height:normal;margin:0;border-radius: 7px;padding:8px;text-align:left;text-decoration:none">Install Client</a> + <td style="-moz-hyphens:auto;-webkit-hyphens:auto;Margin:0;border-collapse:collapse!important;color:#0a0a0a;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:400;hyphens:auto;line-height:normal;margin:0;padding:0;text-align:left;vertical-align:top;word-wrap:break-word"> + <table style="border-collapse:collapse;border-spacing:0;padding:0;text-align:left;vertical-align:top;width:100%"> + <tr style="padding:0;text-align:left;vertical-align:top"> + <td style="-moz-hyphens:auto;-webkit-hyphens:auto;Margin:0;border:0 solid #777;border-collapse:collapse!important;color:#fefefe;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:400;hyphens:auto;line-height:normal;margin:0;padding:0;text-align:left;vertical-align:top;word-wrap:break-word"> + <a href="https://nextcloud.com/install/#install-clients" style="Margin:0;background-color:#fff;border:0 solid #777;color:#6C6C6C!important;display:inline-block;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:regular;line-height:normal;margin:0;border-radius: 7px;padding:8px;text-align:left;text-decoration:none">Install Client</a> + </td> + </tr> + </table> </td> </tr> </table> + <!--[if (gte mso 9)|(IE)]> </td> </tr> </table> + <![endif]--> </center> </th> <th class="expander" style="Margin:0;color:#0a0a0a;font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen-Sans,Ubuntu,Cantarell,'Helvetica Neue',Arial,sans-serif;font-size:16px;font-weight:400;line-height:1.3;margin:0;padding:0!important;text-align:left;visibility:hidden;width:0"></th> diff --git a/apps/systemtags/l10n/ar.js b/apps/systemtags/l10n/ar.js index 3a14ca8b317..2c441f897c3 100644 --- a/apps/systemtags/l10n/ar.js +++ b/apps/systemtags/l10n/ar.js @@ -74,7 +74,6 @@ OC.L10N.register( "{displayName} (restricted)" : "{displayName} (محضور)", "Only admins can create new tags" : "المشرفون وحدهم يمكنهم إنشاء وسوم جديدة", "Failed to apply tags changes" : "تعذّر تطبيق التغييرات في الوسوم", - "File tags modification canceled" : "تمّ إلغاء تعديل وسوم الملف", "Manage tags" : "إدارة الوسوم", "Applying tags changes…" : "يتم تطبيق التغييرات في الوسوم...", "Search or create tag" : "إنشاء أو بحث عن وسم", @@ -110,6 +109,7 @@ OC.L10N.register( "A tag with the same name already exists" : "توجد سمة بنفس الاسم مسبقاً", "Failed to load tags for file" : "تعذّر تحميل وسوم الملف", "Failed to set tag for file" : "تعذّر وضع وسم على الملف", - "Failed to delete tag for file" : "تعذّر حذف وسم من على ملف" + "Failed to delete tag for file" : "تعذّر حذف وسم من على ملف", + "File tags modification canceled" : "تمّ إلغاء تعديل وسوم الملف" }, "nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;"); diff --git a/apps/systemtags/l10n/ar.json b/apps/systemtags/l10n/ar.json index 75b5b0c1584..c6d3e4edeb0 100644 --- a/apps/systemtags/l10n/ar.json +++ b/apps/systemtags/l10n/ar.json @@ -72,7 +72,6 @@ "{displayName} (restricted)" : "{displayName} (محضور)", "Only admins can create new tags" : "المشرفون وحدهم يمكنهم إنشاء وسوم جديدة", "Failed to apply tags changes" : "تعذّر تطبيق التغييرات في الوسوم", - "File tags modification canceled" : "تمّ إلغاء تعديل وسوم الملف", "Manage tags" : "إدارة الوسوم", "Applying tags changes…" : "يتم تطبيق التغييرات في الوسوم...", "Search or create tag" : "إنشاء أو بحث عن وسم", @@ -108,6 +107,7 @@ "A tag with the same name already exists" : "توجد سمة بنفس الاسم مسبقاً", "Failed to load tags for file" : "تعذّر تحميل وسوم الملف", "Failed to set tag for file" : "تعذّر وضع وسم على الملف", - "Failed to delete tag for file" : "تعذّر حذف وسم من على ملف" + "Failed to delete tag for file" : "تعذّر حذف وسم من على ملف", + "File tags modification canceled" : "تمّ إلغاء تعديل وسوم الملف" },"pluralForm" :"nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/ca.js b/apps/systemtags/l10n/ca.js index cbafa330c5f..21faf06f809 100644 --- a/apps/systemtags/l10n/ca.js +++ b/apps/systemtags/l10n/ca.js @@ -74,7 +74,6 @@ OC.L10N.register( "{displayName} (restricted)" : "{displayName} (restringit)", "Only admins can create new tags" : "Només els administradors poden crear etiquetes noves", "Failed to apply tags changes" : "No s'han pogut aplicar els canvis d'etiquetes", - "File tags modification canceled" : "S'ha cancel·lat la modificació de les etiquetes del fitxer", "Manage tags" : "Administrar les etiquetes", "Applying tags changes…" : "S'estan aplicant els canvis d'etiquetes…", "Search or create tag" : "Cerca o crea una etiqueta", @@ -110,6 +109,7 @@ OC.L10N.register( "A tag with the same name already exists" : "Ja existeix una etiqueta amb el mateix nom", "Failed to load tags for file" : "No s'han pogut carregar les etiquetes del fitxer", "Failed to set tag for file" : "No s'ha pogut definit l'etiqueta per al fitxer", - "Failed to delete tag for file" : "No s'ha pogut suprimir l'etiqueta del fitxer" + "Failed to delete tag for file" : "No s'ha pogut suprimir l'etiqueta del fitxer", + "File tags modification canceled" : "S'ha cancel·lat la modificació de les etiquetes del fitxer" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/systemtags/l10n/ca.json b/apps/systemtags/l10n/ca.json index 878a761dcf5..2e63bba1e9b 100644 --- a/apps/systemtags/l10n/ca.json +++ b/apps/systemtags/l10n/ca.json @@ -72,7 +72,6 @@ "{displayName} (restricted)" : "{displayName} (restringit)", "Only admins can create new tags" : "Només els administradors poden crear etiquetes noves", "Failed to apply tags changes" : "No s'han pogut aplicar els canvis d'etiquetes", - "File tags modification canceled" : "S'ha cancel·lat la modificació de les etiquetes del fitxer", "Manage tags" : "Administrar les etiquetes", "Applying tags changes…" : "S'estan aplicant els canvis d'etiquetes…", "Search or create tag" : "Cerca o crea una etiqueta", @@ -108,6 +107,7 @@ "A tag with the same name already exists" : "Ja existeix una etiqueta amb el mateix nom", "Failed to load tags for file" : "No s'han pogut carregar les etiquetes del fitxer", "Failed to set tag for file" : "No s'ha pogut definit l'etiqueta per al fitxer", - "Failed to delete tag for file" : "No s'ha pogut suprimir l'etiqueta del fitxer" + "Failed to delete tag for file" : "No s'ha pogut suprimir l'etiqueta del fitxer", + "File tags modification canceled" : "S'ha cancel·lat la modificació de les etiquetes del fitxer" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/cs.js b/apps/systemtags/l10n/cs.js index 849106ee0ed..04898133d27 100644 --- a/apps/systemtags/l10n/cs.js +++ b/apps/systemtags/l10n/cs.js @@ -74,7 +74,6 @@ OC.L10N.register( "{displayName} (restricted)" : "{displayName} (omezený)", "Only admins can create new tags" : "Nové štítky mohou vytvářet pouze správci", "Failed to apply tags changes" : "Změny štítků se nepodařilo uplatnit", - "File tags modification canceled" : "Změna štítků souboru zrušena", "Manage tags" : "Spravovat štítky", "Applying tags changes…" : "Uplatňování směn štítků…", "Search or create tag" : "Hledat nebo vytvořit štítek", @@ -110,6 +109,7 @@ OC.L10N.register( "A tag with the same name already exists" : "Takto znazvaný štítek už existuje", "Failed to load tags for file" : "Nepodařilo se načíst štítky pro soubor", "Failed to set tag for file" : "Nepodařilo se nastavit štítek pro soubor", - "Failed to delete tag for file" : "Nepodařilo se smazat štítek pro soubor" + "Failed to delete tag for file" : "Nepodařilo se smazat štítek pro soubor", + "File tags modification canceled" : "Změna štítků souboru zrušena" }, "nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n >= 2 && n <= 4 && n % 1 == 0) ? 1: (n % 1 != 0 ) ? 2 : 3;"); diff --git a/apps/systemtags/l10n/cs.json b/apps/systemtags/l10n/cs.json index a9c1bf3a893..ec2338161f0 100644 --- a/apps/systemtags/l10n/cs.json +++ b/apps/systemtags/l10n/cs.json @@ -72,7 +72,6 @@ "{displayName} (restricted)" : "{displayName} (omezený)", "Only admins can create new tags" : "Nové štítky mohou vytvářet pouze správci", "Failed to apply tags changes" : "Změny štítků se nepodařilo uplatnit", - "File tags modification canceled" : "Změna štítků souboru zrušena", "Manage tags" : "Spravovat štítky", "Applying tags changes…" : "Uplatňování směn štítků…", "Search or create tag" : "Hledat nebo vytvořit štítek", @@ -108,6 +107,7 @@ "A tag with the same name already exists" : "Takto znazvaný štítek už existuje", "Failed to load tags for file" : "Nepodařilo se načíst štítky pro soubor", "Failed to set tag for file" : "Nepodařilo se nastavit štítek pro soubor", - "Failed to delete tag for file" : "Nepodařilo se smazat štítek pro soubor" + "Failed to delete tag for file" : "Nepodařilo se smazat štítek pro soubor", + "File tags modification canceled" : "Změna štítků souboru zrušena" },"pluralForm" :"nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n >= 2 && n <= 4 && n % 1 == 0) ? 1: (n % 1 != 0 ) ? 2 : 3;" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/da.js b/apps/systemtags/l10n/da.js index 432ba06df18..d6bbd47151b 100644 --- a/apps/systemtags/l10n/da.js +++ b/apps/systemtags/l10n/da.js @@ -74,7 +74,6 @@ OC.L10N.register( "{displayName} (restricted)" : "{displayName} (begrænset)", "Only admins can create new tags" : "Kun administratorer kan oprette nye tags", "Failed to apply tags changes" : "Kunne ikke anvende tagændringer", - "File tags modification canceled" : "Ændring af filmærker annulleret", "Manage tags" : "Administrer tags", "Applying tags changes…" : "Anvender ændringer på mærker...", "Search or create tag" : "Søg eller opret mærke", @@ -110,6 +109,7 @@ OC.L10N.register( "A tag with the same name already exists" : "Et mærke med samme navn findes allerede", "Failed to load tags for file" : "Kunne ikke indlæse tags til fil", "Failed to set tag for file" : "Failed to set tag for file", - "Failed to delete tag for file" : "Failed to delete tag for file" + "Failed to delete tag for file" : "Failed to delete tag for file", + "File tags modification canceled" : "Ændring af filmærker annulleret" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/systemtags/l10n/da.json b/apps/systemtags/l10n/da.json index 1f8e3edb66d..fa5bbd16187 100644 --- a/apps/systemtags/l10n/da.json +++ b/apps/systemtags/l10n/da.json @@ -72,7 +72,6 @@ "{displayName} (restricted)" : "{displayName} (begrænset)", "Only admins can create new tags" : "Kun administratorer kan oprette nye tags", "Failed to apply tags changes" : "Kunne ikke anvende tagændringer", - "File tags modification canceled" : "Ændring af filmærker annulleret", "Manage tags" : "Administrer tags", "Applying tags changes…" : "Anvender ændringer på mærker...", "Search or create tag" : "Søg eller opret mærke", @@ -108,6 +107,7 @@ "A tag with the same name already exists" : "Et mærke med samme navn findes allerede", "Failed to load tags for file" : "Kunne ikke indlæse tags til fil", "Failed to set tag for file" : "Failed to set tag for file", - "Failed to delete tag for file" : "Failed to delete tag for file" + "Failed to delete tag for file" : "Failed to delete tag for file", + "File tags modification canceled" : "Ændring af filmærker annulleret" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/de.js b/apps/systemtags/l10n/de.js index 6d68e5315ea..dc19f271b26 100644 --- a/apps/systemtags/l10n/de.js +++ b/apps/systemtags/l10n/de.js @@ -74,7 +74,6 @@ OC.L10N.register( "{displayName} (restricted)" : "{displayName} (eingeschränkt)", "Only admins can create new tags" : "Nur die Administration kann neue Schlagworte erstellen", "Failed to apply tags changes" : "Schlagwort-Änderungen konnten nicht angewendet werden", - "File tags modification canceled" : "Änderung der Datei-Schlagwörter abgebrochen", "Manage tags" : "Schlagworte verwalten", "Applying tags changes…" : "Schlagwort-Änderungen werden angewendet…", "Search or create tag" : "Schlagwort suchen oder erstellen", @@ -110,6 +109,7 @@ OC.L10N.register( "A tag with the same name already exists" : "Ein Schlagwort mit demselben Namen existiert bereits", "Failed to load tags for file" : "Schlagworte für Datei konnten nicht geladen werden", "Failed to set tag for file" : "Schlagwort für Datei konnte nicht gesetzt werden", - "Failed to delete tag for file" : "Schlagwort für Datei konnte nicht gelöscht werden" + "Failed to delete tag for file" : "Schlagwort für Datei konnte nicht gelöscht werden", + "File tags modification canceled" : "Änderung der Datei-Schlagwörter abgebrochen" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/systemtags/l10n/de.json b/apps/systemtags/l10n/de.json index c211ecdc865..fdeac43debf 100644 --- a/apps/systemtags/l10n/de.json +++ b/apps/systemtags/l10n/de.json @@ -72,7 +72,6 @@ "{displayName} (restricted)" : "{displayName} (eingeschränkt)", "Only admins can create new tags" : "Nur die Administration kann neue Schlagworte erstellen", "Failed to apply tags changes" : "Schlagwort-Änderungen konnten nicht angewendet werden", - "File tags modification canceled" : "Änderung der Datei-Schlagwörter abgebrochen", "Manage tags" : "Schlagworte verwalten", "Applying tags changes…" : "Schlagwort-Änderungen werden angewendet…", "Search or create tag" : "Schlagwort suchen oder erstellen", @@ -108,6 +107,7 @@ "A tag with the same name already exists" : "Ein Schlagwort mit demselben Namen existiert bereits", "Failed to load tags for file" : "Schlagworte für Datei konnten nicht geladen werden", "Failed to set tag for file" : "Schlagwort für Datei konnte nicht gesetzt werden", - "Failed to delete tag for file" : "Schlagwort für Datei konnte nicht gelöscht werden" + "Failed to delete tag for file" : "Schlagwort für Datei konnte nicht gelöscht werden", + "File tags modification canceled" : "Änderung der Datei-Schlagwörter abgebrochen" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/de_DE.js b/apps/systemtags/l10n/de_DE.js index b2f27431679..696aa7576c7 100644 --- a/apps/systemtags/l10n/de_DE.js +++ b/apps/systemtags/l10n/de_DE.js @@ -74,7 +74,6 @@ OC.L10N.register( "{displayName} (restricted)" : "{displayName} (eingeschränkt)", "Only admins can create new tags" : "Nur die Administration kann neue Schlagworte erstellen", "Failed to apply tags changes" : "Schlagwort-Änderungen konnten nicht angewendet werden", - "File tags modification canceled" : "Änderung der Datei-Schlagworte abgebrochen", "Manage tags" : "Schlagworte verwalten", "Applying tags changes…" : "Schlagwort-Änderungen werden angewendet…", "Search or create tag" : "Schlagwort suchen oder erstellen", @@ -110,6 +109,7 @@ OC.L10N.register( "A tag with the same name already exists" : "Ein Schlagwort mit demselben Namen existiert bereits", "Failed to load tags for file" : "Schlagworte für Datei konnten nicht geladen werden", "Failed to set tag for file" : "Schlagwort für Datei konnte nicht gesetzt werden", - "Failed to delete tag for file" : "Schlagwort für Datei konnte nicht gelöscht werden" + "Failed to delete tag for file" : "Schlagwort für Datei konnte nicht gelöscht werden", + "File tags modification canceled" : "Änderung der Datei-Schlagworte abgebrochen" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/systemtags/l10n/de_DE.json b/apps/systemtags/l10n/de_DE.json index e84d2b4b4de..5a62635a094 100644 --- a/apps/systemtags/l10n/de_DE.json +++ b/apps/systemtags/l10n/de_DE.json @@ -72,7 +72,6 @@ "{displayName} (restricted)" : "{displayName} (eingeschränkt)", "Only admins can create new tags" : "Nur die Administration kann neue Schlagworte erstellen", "Failed to apply tags changes" : "Schlagwort-Änderungen konnten nicht angewendet werden", - "File tags modification canceled" : "Änderung der Datei-Schlagworte abgebrochen", "Manage tags" : "Schlagworte verwalten", "Applying tags changes…" : "Schlagwort-Änderungen werden angewendet…", "Search or create tag" : "Schlagwort suchen oder erstellen", @@ -108,6 +107,7 @@ "A tag with the same name already exists" : "Ein Schlagwort mit demselben Namen existiert bereits", "Failed to load tags for file" : "Schlagworte für Datei konnten nicht geladen werden", "Failed to set tag for file" : "Schlagwort für Datei konnte nicht gesetzt werden", - "Failed to delete tag for file" : "Schlagwort für Datei konnte nicht gelöscht werden" + "Failed to delete tag for file" : "Schlagwort für Datei konnte nicht gelöscht werden", + "File tags modification canceled" : "Änderung der Datei-Schlagworte abgebrochen" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/en_GB.js b/apps/systemtags/l10n/en_GB.js index 123f6eaf922..7475382c4fb 100644 --- a/apps/systemtags/l10n/en_GB.js +++ b/apps/systemtags/l10n/en_GB.js @@ -74,7 +74,6 @@ OC.L10N.register( "{displayName} (restricted)" : "{displayName} (restricted)", "Only admins can create new tags" : "Only admins can create new tags", "Failed to apply tags changes" : "Failed to apply tags changes", - "File tags modification canceled" : "File tags modification cancelled", "Manage tags" : "Manage tags", "Applying tags changes…" : "Applying tags changes…", "Search or create tag" : "Search or create tag", @@ -110,6 +109,7 @@ OC.L10N.register( "A tag with the same name already exists" : "A tag with the same name already exists", "Failed to load tags for file" : "Failed to load tags for file", "Failed to set tag for file" : "Failed to set tag for file", - "Failed to delete tag for file" : "Failed to delete tag for file" + "Failed to delete tag for file" : "Failed to delete tag for file", + "File tags modification canceled" : "File tags modification cancelled" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/systemtags/l10n/en_GB.json b/apps/systemtags/l10n/en_GB.json index 5432aa5f990..5661d1af117 100644 --- a/apps/systemtags/l10n/en_GB.json +++ b/apps/systemtags/l10n/en_GB.json @@ -72,7 +72,6 @@ "{displayName} (restricted)" : "{displayName} (restricted)", "Only admins can create new tags" : "Only admins can create new tags", "Failed to apply tags changes" : "Failed to apply tags changes", - "File tags modification canceled" : "File tags modification cancelled", "Manage tags" : "Manage tags", "Applying tags changes…" : "Applying tags changes…", "Search or create tag" : "Search or create tag", @@ -108,6 +107,7 @@ "A tag with the same name already exists" : "A tag with the same name already exists", "Failed to load tags for file" : "Failed to load tags for file", "Failed to set tag for file" : "Failed to set tag for file", - "Failed to delete tag for file" : "Failed to delete tag for file" + "Failed to delete tag for file" : "Failed to delete tag for file", + "File tags modification canceled" : "File tags modification cancelled" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/es.js b/apps/systemtags/l10n/es.js index 3b0330bec8f..6f71d460c8e 100644 --- a/apps/systemtags/l10n/es.js +++ b/apps/systemtags/l10n/es.js @@ -74,7 +74,6 @@ OC.L10N.register( "{displayName} (restricted)" : "{displayName} (restringido) ", "Only admins can create new tags" : "Solo los administradores pueden crear etiquetas nuevas", "Failed to apply tags changes" : "Error al guardar los cambios de la etiqueta", - "File tags modification canceled" : "Modificación de las etiquetas del archivo cancelada", "Manage tags" : "Gestionar etiquetas", "Applying tags changes…" : "Aplicando cambios a las etiquetas...", "Search or create tag" : "Buscar o crear etiqueta", @@ -110,6 +109,7 @@ OC.L10N.register( "A tag with the same name already exists" : "Ya existe una etiqueta con el mismo nombre", "Failed to load tags for file" : "Fallo al cargar las etiquetas del archivo", "Failed to set tag for file" : "Fallo al asignar la etiqueta al archivo", - "Failed to delete tag for file" : "Fallo al borrar la etiqueta del archivo" + "Failed to delete tag for file" : "Fallo al borrar la etiqueta del archivo", + "File tags modification canceled" : "Modificación de las etiquetas del archivo cancelada" }, "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); diff --git a/apps/systemtags/l10n/es.json b/apps/systemtags/l10n/es.json index 13c3ccfcfb6..39e97ef3b8f 100644 --- a/apps/systemtags/l10n/es.json +++ b/apps/systemtags/l10n/es.json @@ -72,7 +72,6 @@ "{displayName} (restricted)" : "{displayName} (restringido) ", "Only admins can create new tags" : "Solo los administradores pueden crear etiquetas nuevas", "Failed to apply tags changes" : "Error al guardar los cambios de la etiqueta", - "File tags modification canceled" : "Modificación de las etiquetas del archivo cancelada", "Manage tags" : "Gestionar etiquetas", "Applying tags changes…" : "Aplicando cambios a las etiquetas...", "Search or create tag" : "Buscar o crear etiqueta", @@ -108,6 +107,7 @@ "A tag with the same name already exists" : "Ya existe una etiqueta con el mismo nombre", "Failed to load tags for file" : "Fallo al cargar las etiquetas del archivo", "Failed to set tag for file" : "Fallo al asignar la etiqueta al archivo", - "Failed to delete tag for file" : "Fallo al borrar la etiqueta del archivo" + "Failed to delete tag for file" : "Fallo al borrar la etiqueta del archivo", + "File tags modification canceled" : "Modificación de las etiquetas del archivo cancelada" },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/et_EE.js b/apps/systemtags/l10n/et_EE.js index 7a6af25cd8f..036fa215451 100644 --- a/apps/systemtags/l10n/et_EE.js +++ b/apps/systemtags/l10n/et_EE.js @@ -74,7 +74,6 @@ OC.L10N.register( "{displayName} (restricted)" : "{displayName} (piiratud)", "Only admins can create new tags" : "Vaid peakasutajad saavad luua uusi silte", "Failed to apply tags changes" : "Siltide muudatusi ei õnnestunud salvestada", - "File tags modification canceled" : "Failide siltide muutmine on katkestatud", "Manage tags" : "Halda silte", "Applying tags changes…" : "Salvestan sildi muudatusi…", "Search or create tag" : "Otsi või loo silt", @@ -110,6 +109,7 @@ OC.L10N.register( "A tag with the same name already exists" : "Sellise nimega silt on juba olemas", "Failed to load tags for file" : "Faili silte ei õnnestunud laadida", "Failed to set tag for file" : "Failile ei õnnestunud silte lisada", - "Failed to delete tag for file" : "Faililt ei õnnestunud silte eemaldada" + "Failed to delete tag for file" : "Faililt ei õnnestunud silte eemaldada", + "File tags modification canceled" : "Failide siltide muutmine on katkestatud" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/systemtags/l10n/et_EE.json b/apps/systemtags/l10n/et_EE.json index e79001a411c..cd633ae086a 100644 --- a/apps/systemtags/l10n/et_EE.json +++ b/apps/systemtags/l10n/et_EE.json @@ -72,7 +72,6 @@ "{displayName} (restricted)" : "{displayName} (piiratud)", "Only admins can create new tags" : "Vaid peakasutajad saavad luua uusi silte", "Failed to apply tags changes" : "Siltide muudatusi ei õnnestunud salvestada", - "File tags modification canceled" : "Failide siltide muutmine on katkestatud", "Manage tags" : "Halda silte", "Applying tags changes…" : "Salvestan sildi muudatusi…", "Search or create tag" : "Otsi või loo silt", @@ -108,6 +107,7 @@ "A tag with the same name already exists" : "Sellise nimega silt on juba olemas", "Failed to load tags for file" : "Faili silte ei õnnestunud laadida", "Failed to set tag for file" : "Failile ei õnnestunud silte lisada", - "Failed to delete tag for file" : "Faililt ei õnnestunud silte eemaldada" + "Failed to delete tag for file" : "Faililt ei õnnestunud silte eemaldada", + "File tags modification canceled" : "Failide siltide muutmine on katkestatud" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/eu.js b/apps/systemtags/l10n/eu.js index 9339281ad0a..d4b25449ae9 100644 --- a/apps/systemtags/l10n/eu.js +++ b/apps/systemtags/l10n/eu.js @@ -68,7 +68,6 @@ OC.L10N.register( "{displayName} (hidden)" : "{displayName} (ezkutua)", "{displayName} (restricted)" : "{displayName} (mugatua)", "Failed to apply tags changes" : "Etiketen aldaketak aplikatzeak huts egin du", - "File tags modification canceled" : "Fitxategien etiketen aldaketa baztertuta", "Manage tags" : "Kudeatu etiketak", "Applying tags changes…" : "Etiketen aldaketak aplikatzen...", "Search or create tag" : "Bilatu edo sortu etiketa", @@ -95,6 +94,7 @@ OC.L10N.register( "A tag with the same name already exists" : "Izen bereko etiketa bat dagoeneko existitzen da", "Failed to load tags for file" : "Fitxategiarentzako etiketak kargatzeak huts egin du", "Failed to set tag for file" : "Fitxategiarentzako etiketa ezartzeak huts egin du", - "Failed to delete tag for file" : "Fitxategiaren etiketa ezabatzeak huts egin du" + "Failed to delete tag for file" : "Fitxategiaren etiketa ezabatzeak huts egin du", + "File tags modification canceled" : "Fitxategien etiketen aldaketa baztertuta" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/systemtags/l10n/eu.json b/apps/systemtags/l10n/eu.json index 094cea90ba1..1d9b8423bcc 100644 --- a/apps/systemtags/l10n/eu.json +++ b/apps/systemtags/l10n/eu.json @@ -66,7 +66,6 @@ "{displayName} (hidden)" : "{displayName} (ezkutua)", "{displayName} (restricted)" : "{displayName} (mugatua)", "Failed to apply tags changes" : "Etiketen aldaketak aplikatzeak huts egin du", - "File tags modification canceled" : "Fitxategien etiketen aldaketa baztertuta", "Manage tags" : "Kudeatu etiketak", "Applying tags changes…" : "Etiketen aldaketak aplikatzen...", "Search or create tag" : "Bilatu edo sortu etiketa", @@ -93,6 +92,7 @@ "A tag with the same name already exists" : "Izen bereko etiketa bat dagoeneko existitzen da", "Failed to load tags for file" : "Fitxategiarentzako etiketak kargatzeak huts egin du", "Failed to set tag for file" : "Fitxategiarentzako etiketa ezartzeak huts egin du", - "Failed to delete tag for file" : "Fitxategiaren etiketa ezabatzeak huts egin du" + "Failed to delete tag for file" : "Fitxategiaren etiketa ezabatzeak huts egin du", + "File tags modification canceled" : "Fitxategien etiketen aldaketa baztertuta" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/fr.js b/apps/systemtags/l10n/fr.js index eb98fc5abd9..167747b5e66 100644 --- a/apps/systemtags/l10n/fr.js +++ b/apps/systemtags/l10n/fr.js @@ -74,7 +74,6 @@ OC.L10N.register( "{displayName} (restricted)" : "{displayName} (restreint)", "Only admins can create new tags" : "Seuls les administrateurs peuvent créer de nouvelles étiquettes", "Failed to apply tags changes" : "Échec de lors d'application des étiquettes", - "File tags modification canceled" : "Modification des étiquettes du fichier annulée", "Manage tags" : "Gérer les étiquettes", "Applying tags changes…" : "Application des changements d'étiquettes…", "Search or create tag" : "Rechercher ou créer une étiquette", @@ -110,6 +109,7 @@ OC.L10N.register( "A tag with the same name already exists" : "Une étiquette portant le même nom existe déjà", "Failed to load tags for file" : "Impossible de charger les étiquettes du fichier", "Failed to set tag for file" : "Impossible d'attribuer l'étiquette au fichier", - "Failed to delete tag for file" : "Impossible de supprimer l'étiquette au fichier" + "Failed to delete tag for file" : "Impossible de supprimer l'étiquette au fichier", + "File tags modification canceled" : "Modification des étiquettes du fichier annulée" }, "nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); diff --git a/apps/systemtags/l10n/fr.json b/apps/systemtags/l10n/fr.json index 22be89bc601..8f59402bec2 100644 --- a/apps/systemtags/l10n/fr.json +++ b/apps/systemtags/l10n/fr.json @@ -72,7 +72,6 @@ "{displayName} (restricted)" : "{displayName} (restreint)", "Only admins can create new tags" : "Seuls les administrateurs peuvent créer de nouvelles étiquettes", "Failed to apply tags changes" : "Échec de lors d'application des étiquettes", - "File tags modification canceled" : "Modification des étiquettes du fichier annulée", "Manage tags" : "Gérer les étiquettes", "Applying tags changes…" : "Application des changements d'étiquettes…", "Search or create tag" : "Rechercher ou créer une étiquette", @@ -108,6 +107,7 @@ "A tag with the same name already exists" : "Une étiquette portant le même nom existe déjà", "Failed to load tags for file" : "Impossible de charger les étiquettes du fichier", "Failed to set tag for file" : "Impossible d'attribuer l'étiquette au fichier", - "Failed to delete tag for file" : "Impossible de supprimer l'étiquette au fichier" + "Failed to delete tag for file" : "Impossible de supprimer l'étiquette au fichier", + "File tags modification canceled" : "Modification des étiquettes du fichier annulée" },"pluralForm" :"nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/ga.js b/apps/systemtags/l10n/ga.js index a4affab405b..6dbb72e7eff 100644 --- a/apps/systemtags/l10n/ga.js +++ b/apps/systemtags/l10n/ga.js @@ -74,7 +74,6 @@ OC.L10N.register( "{displayName} (restricted)" : "{displayName} (srianta)", "Only admins can create new tags" : "Ní féidir ach le riarthóirí clibeanna nua a chruthú", "Failed to apply tags changes" : "Theip ar athruithe clibeanna a chur i bhfeidhm", - "File tags modification canceled" : "Cealaíodh modhnú clibeanna comhaid", "Manage tags" : "Bainistigh clibeanna", "Applying tags changes…" : "Athruithe clibeanna á gcur i bhfeidhm…", "Search or create tag" : "Cuardaigh nó cruthaigh clib", @@ -110,6 +109,7 @@ OC.L10N.register( "A tag with the same name already exists" : "Tá clib leis an ainm céanna ann cheana féin", "Failed to load tags for file" : "Theip ar lódáil clibeanna don chomhad", "Failed to set tag for file" : "Theip ar chlib a shocrú don chomhad", - "Failed to delete tag for file" : "Theip ar scriosadh an chlib don chomhad" + "Failed to delete tag for file" : "Theip ar scriosadh an chlib don chomhad", + "File tags modification canceled" : "Cealaíodh modhnú clibeanna comhaid" }, "nplurals=5; plural=(n==1 ? 0 : n==2 ? 1 : n<7 ? 2 : n<11 ? 3 : 4);"); diff --git a/apps/systemtags/l10n/ga.json b/apps/systemtags/l10n/ga.json index b1a3dc61c7f..9e757e91b42 100644 --- a/apps/systemtags/l10n/ga.json +++ b/apps/systemtags/l10n/ga.json @@ -72,7 +72,6 @@ "{displayName} (restricted)" : "{displayName} (srianta)", "Only admins can create new tags" : "Ní féidir ach le riarthóirí clibeanna nua a chruthú", "Failed to apply tags changes" : "Theip ar athruithe clibeanna a chur i bhfeidhm", - "File tags modification canceled" : "Cealaíodh modhnú clibeanna comhaid", "Manage tags" : "Bainistigh clibeanna", "Applying tags changes…" : "Athruithe clibeanna á gcur i bhfeidhm…", "Search or create tag" : "Cuardaigh nó cruthaigh clib", @@ -108,6 +107,7 @@ "A tag with the same name already exists" : "Tá clib leis an ainm céanna ann cheana féin", "Failed to load tags for file" : "Theip ar lódáil clibeanna don chomhad", "Failed to set tag for file" : "Theip ar chlib a shocrú don chomhad", - "Failed to delete tag for file" : "Theip ar scriosadh an chlib don chomhad" + "Failed to delete tag for file" : "Theip ar scriosadh an chlib don chomhad", + "File tags modification canceled" : "Cealaíodh modhnú clibeanna comhaid" },"pluralForm" :"nplurals=5; plural=(n==1 ? 0 : n==2 ? 1 : n<7 ? 2 : n<11 ? 3 : 4);" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/gl.js b/apps/systemtags/l10n/gl.js index 8a6568bcd5a..80ddf565dee 100644 --- a/apps/systemtags/l10n/gl.js +++ b/apps/systemtags/l10n/gl.js @@ -74,7 +74,6 @@ OC.L10N.register( "{displayName} (restricted)" : "{displayName} (restrinxido)", "Only admins can create new tags" : "Só a administración pode crear novas etiquetas", "Failed to apply tags changes" : "Produciuse un fallo ao aplicar os cambios das etiquetas", - "File tags modification canceled" : "Cancelouse a modificación das etiquetas do ficheiro", "Manage tags" : "Xestionar as etiquetas", "Applying tags changes…" : "Aplicando os cambios das etiquetas…", "Search or create tag" : "Buscar ou crear unha etiqueta", @@ -110,6 +109,7 @@ OC.L10N.register( "A tag with the same name already exists" : "Xa existe outra etiqueta co mesmo nome", "Failed to load tags for file" : "Produciuse un fallo ao cargar as etiquetas do ficheiro", "Failed to set tag for file" : "Produciuse un fallo ao definir a etiqueta para o ficheiro", - "Failed to delete tag for file" : "Produciuse un fallo ao eliminar a etiqueta do ficheiro" + "Failed to delete tag for file" : "Produciuse un fallo ao eliminar a etiqueta do ficheiro", + "File tags modification canceled" : "Cancelouse a modificación das etiquetas do ficheiro" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/systemtags/l10n/gl.json b/apps/systemtags/l10n/gl.json index bce171c733b..15fad9cfeff 100644 --- a/apps/systemtags/l10n/gl.json +++ b/apps/systemtags/l10n/gl.json @@ -72,7 +72,6 @@ "{displayName} (restricted)" : "{displayName} (restrinxido)", "Only admins can create new tags" : "Só a administración pode crear novas etiquetas", "Failed to apply tags changes" : "Produciuse un fallo ao aplicar os cambios das etiquetas", - "File tags modification canceled" : "Cancelouse a modificación das etiquetas do ficheiro", "Manage tags" : "Xestionar as etiquetas", "Applying tags changes…" : "Aplicando os cambios das etiquetas…", "Search or create tag" : "Buscar ou crear unha etiqueta", @@ -108,6 +107,7 @@ "A tag with the same name already exists" : "Xa existe outra etiqueta co mesmo nome", "Failed to load tags for file" : "Produciuse un fallo ao cargar as etiquetas do ficheiro", "Failed to set tag for file" : "Produciuse un fallo ao definir a etiqueta para o ficheiro", - "Failed to delete tag for file" : "Produciuse un fallo ao eliminar a etiqueta do ficheiro" + "Failed to delete tag for file" : "Produciuse un fallo ao eliminar a etiqueta do ficheiro", + "File tags modification canceled" : "Cancelouse a modificación das etiquetas do ficheiro" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/is.js b/apps/systemtags/l10n/is.js index f442ae96ed3..dae0e671b02 100644 --- a/apps/systemtags/l10n/is.js +++ b/apps/systemtags/l10n/is.js @@ -66,7 +66,6 @@ OC.L10N.register( "{displayName} (hidden)" : "{displayName} (falið)", "{displayName} (restricted)" : "{displayName} (takmarkað)", "Failed to apply tags changes" : "Mistókst að virkja breytingar á merkjum", - "File tags modification canceled" : "Hætt við breytingar á merkjum skráa", "Manage tags" : "Sýsla með merki", "Applying tags changes…" : "Virkja breytingar á merkjum…", "Search or create tag" : "Leita eða búa til merki", @@ -92,6 +91,7 @@ OC.L10N.register( "A tag with the same name already exists" : "Merki með sama heiti er þegar til staðar", "Failed to load tags for file" : "Mistókst að hlaða inn merkjum af skrá", "Failed to set tag for file" : "Mistókst að setja merki á skrá", - "Failed to delete tag for file" : "Mistókst að eyða merki á skrá" + "Failed to delete tag for file" : "Mistókst að eyða merki á skrá", + "File tags modification canceled" : "Hætt við breytingar á merkjum skráa" }, "nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);"); diff --git a/apps/systemtags/l10n/is.json b/apps/systemtags/l10n/is.json index 6745c460665..b5d70817bab 100644 --- a/apps/systemtags/l10n/is.json +++ b/apps/systemtags/l10n/is.json @@ -64,7 +64,6 @@ "{displayName} (hidden)" : "{displayName} (falið)", "{displayName} (restricted)" : "{displayName} (takmarkað)", "Failed to apply tags changes" : "Mistókst að virkja breytingar á merkjum", - "File tags modification canceled" : "Hætt við breytingar á merkjum skráa", "Manage tags" : "Sýsla með merki", "Applying tags changes…" : "Virkja breytingar á merkjum…", "Search or create tag" : "Leita eða búa til merki", @@ -90,6 +89,7 @@ "A tag with the same name already exists" : "Merki með sama heiti er þegar til staðar", "Failed to load tags for file" : "Mistókst að hlaða inn merkjum af skrá", "Failed to set tag for file" : "Mistókst að setja merki á skrá", - "Failed to delete tag for file" : "Mistókst að eyða merki á skrá" + "Failed to delete tag for file" : "Mistókst að eyða merki á skrá", + "File tags modification canceled" : "Hætt við breytingar á merkjum skráa" },"pluralForm" :"nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/it.js b/apps/systemtags/l10n/it.js index 5da80b216ab..61a7f2511ec 100644 --- a/apps/systemtags/l10n/it.js +++ b/apps/systemtags/l10n/it.js @@ -68,7 +68,6 @@ OC.L10N.register( "{displayName} (hidden)" : "{displayName} (nascosto)", "{displayName} (restricted)" : "{displayName} (limitato)", "Failed to apply tags changes" : "Impossibile applicare le modifiche ai tag", - "File tags modification canceled" : "Modifiche ai tag dei file annullate", "Manage tags" : "Gestisci etichette", "Applying tags changes…" : "Applico le modifiche ai tag...", "Search or create tag" : "Cerca o crea tag", @@ -94,6 +93,7 @@ OC.L10N.register( "A tag with the same name already exists" : "Esiste già un tag con lo stesso nome", "Failed to load tags for file" : "Caricamento delle etichette per il file fallito", "Failed to set tag for file" : "Impostazione dell'etichetta per il file fallita", - "Failed to delete tag for file" : "Eliminazione dell'etichetta per il file fallita" + "Failed to delete tag for file" : "Eliminazione dell'etichetta per il file fallita", + "File tags modification canceled" : "Modifiche ai tag dei file annullate" }, "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); diff --git a/apps/systemtags/l10n/it.json b/apps/systemtags/l10n/it.json index a97eabc5113..47ad14b105e 100644 --- a/apps/systemtags/l10n/it.json +++ b/apps/systemtags/l10n/it.json @@ -66,7 +66,6 @@ "{displayName} (hidden)" : "{displayName} (nascosto)", "{displayName} (restricted)" : "{displayName} (limitato)", "Failed to apply tags changes" : "Impossibile applicare le modifiche ai tag", - "File tags modification canceled" : "Modifiche ai tag dei file annullate", "Manage tags" : "Gestisci etichette", "Applying tags changes…" : "Applico le modifiche ai tag...", "Search or create tag" : "Cerca o crea tag", @@ -92,6 +91,7 @@ "A tag with the same name already exists" : "Esiste già un tag con lo stesso nome", "Failed to load tags for file" : "Caricamento delle etichette per il file fallito", "Failed to set tag for file" : "Impostazione dell'etichetta per il file fallita", - "Failed to delete tag for file" : "Eliminazione dell'etichetta per il file fallita" + "Failed to delete tag for file" : "Eliminazione dell'etichetta per il file fallita", + "File tags modification canceled" : "Modifiche ai tag dei file annullate" },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/ja.js b/apps/systemtags/l10n/ja.js index ea066055c35..08be193f036 100644 --- a/apps/systemtags/l10n/ja.js +++ b/apps/systemtags/l10n/ja.js @@ -74,7 +74,6 @@ OC.L10N.register( "{displayName} (restricted)" : "{displayName} (制限) ", "Only admins can create new tags" : "新しいタグを作成できるのは管理者のみです", "Failed to apply tags changes" : "タグの変更の適用に失敗しました", - "File tags modification canceled" : "ファイルタグの変更がキャンセルされました", "Manage tags" : "タグを管理", "Applying tags changes…" : "タグの変更を適用しています...", "Search or create tag" : "タグを検索または作成する", @@ -110,6 +109,7 @@ OC.L10N.register( "A tag with the same name already exists" : "同じ名前のタグがすでに存在しています", "Failed to load tags for file" : "ファイルのタグのロードに失敗しました", "Failed to set tag for file" : "ファイルのタグの設定に失敗しました", - "Failed to delete tag for file" : "ファイルのタグを削除できませんでした" + "Failed to delete tag for file" : "ファイルのタグを削除できませんでした", + "File tags modification canceled" : "ファイルタグの変更がキャンセルされました" }, "nplurals=1; plural=0;"); diff --git a/apps/systemtags/l10n/ja.json b/apps/systemtags/l10n/ja.json index 7af3c11f9ae..9fcf0e2a4ff 100644 --- a/apps/systemtags/l10n/ja.json +++ b/apps/systemtags/l10n/ja.json @@ -72,7 +72,6 @@ "{displayName} (restricted)" : "{displayName} (制限) ", "Only admins can create new tags" : "新しいタグを作成できるのは管理者のみです", "Failed to apply tags changes" : "タグの変更の適用に失敗しました", - "File tags modification canceled" : "ファイルタグの変更がキャンセルされました", "Manage tags" : "タグを管理", "Applying tags changes…" : "タグの変更を適用しています...", "Search or create tag" : "タグを検索または作成する", @@ -108,6 +107,7 @@ "A tag with the same name already exists" : "同じ名前のタグがすでに存在しています", "Failed to load tags for file" : "ファイルのタグのロードに失敗しました", "Failed to set tag for file" : "ファイルのタグの設定に失敗しました", - "Failed to delete tag for file" : "ファイルのタグを削除できませんでした" + "Failed to delete tag for file" : "ファイルのタグを削除できませんでした", + "File tags modification canceled" : "ファイルタグの変更がキャンセルされました" },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/nb.js b/apps/systemtags/l10n/nb.js index d98d1f8366c..3844a621baa 100644 --- a/apps/systemtags/l10n/nb.js +++ b/apps/systemtags/l10n/nb.js @@ -68,7 +68,6 @@ OC.L10N.register( "{displayName} (hidden)" : "{displayName} (skjult)", "{displayName} (restricted)" : "{displayName} (begrenset tilgang)", "Failed to apply tags changes" : "Kunne ikke utføre endring av merkelapper", - "File tags modification canceled" : "Endring av merkelapper for fil ble avbrutt", "Manage tags" : "Håndtere etiketter", "Applying tags changes…" : "Utfører endring av merkelapper…", "Search or create tag" : "Søk etter eller opprett merkelapp", @@ -95,6 +94,7 @@ OC.L10N.register( "A tag with the same name already exists" : "En merkelapp med det navnet finnes allerede", "Failed to load tags for file" : "Lasting av merkelapper for filen feilet", "Failed to set tag for file" : "Kunne ikke angi merkelapp for fil", - "Failed to delete tag for file" : "Sletting av merkelappen for filen feilet" + "Failed to delete tag for file" : "Sletting av merkelappen for filen feilet", + "File tags modification canceled" : "Endring av merkelapper for fil ble avbrutt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/systemtags/l10n/nb.json b/apps/systemtags/l10n/nb.json index 217d425bfa2..b2bbbfef474 100644 --- a/apps/systemtags/l10n/nb.json +++ b/apps/systemtags/l10n/nb.json @@ -66,7 +66,6 @@ "{displayName} (hidden)" : "{displayName} (skjult)", "{displayName} (restricted)" : "{displayName} (begrenset tilgang)", "Failed to apply tags changes" : "Kunne ikke utføre endring av merkelapper", - "File tags modification canceled" : "Endring av merkelapper for fil ble avbrutt", "Manage tags" : "Håndtere etiketter", "Applying tags changes…" : "Utfører endring av merkelapper…", "Search or create tag" : "Søk etter eller opprett merkelapp", @@ -93,6 +92,7 @@ "A tag with the same name already exists" : "En merkelapp med det navnet finnes allerede", "Failed to load tags for file" : "Lasting av merkelapper for filen feilet", "Failed to set tag for file" : "Kunne ikke angi merkelapp for fil", - "Failed to delete tag for file" : "Sletting av merkelappen for filen feilet" + "Failed to delete tag for file" : "Sletting av merkelappen for filen feilet", + "File tags modification canceled" : "Endring av merkelapper for fil ble avbrutt" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/pl.js b/apps/systemtags/l10n/pl.js index 1ce5b09c6a8..ae6ed1cadb6 100644 --- a/apps/systemtags/l10n/pl.js +++ b/apps/systemtags/l10n/pl.js @@ -74,7 +74,6 @@ OC.L10N.register( "{displayName} (restricted)" : "{displayName} (ograniczony)", "Only admins can create new tags" : "Tylko administratorzy mogą tworzyć nowe tagi", "Failed to apply tags changes" : "Nie udało się zastosować zmian tagów", - "File tags modification canceled" : "Modyfikacja tagów pliku została anulowana", "Manage tags" : "Zarządzaj etykietami", "Applying tags changes…" : "Zastosowywanie zmian etykiet…", "Search or create tag" : "Wyszukaj lub utwórz etykietę", @@ -110,6 +109,7 @@ OC.L10N.register( "A tag with the same name already exists" : "Tag o tej samej nazwie już istnieje", "Failed to load tags for file" : "Nie udało się załadować tagów dla pliku", "Failed to set tag for file" : "Nie udało się ustawić tagu dla pliku", - "Failed to delete tag for file" : "Nie udało się usunąć tagu z pliku" + "Failed to delete tag for file" : "Nie udało się usunąć tagu z pliku", + "File tags modification canceled" : "Modyfikacja tagów pliku została anulowana" }, "nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);"); diff --git a/apps/systemtags/l10n/pl.json b/apps/systemtags/l10n/pl.json index f4d36fdbbb2..c00b81ba492 100644 --- a/apps/systemtags/l10n/pl.json +++ b/apps/systemtags/l10n/pl.json @@ -72,7 +72,6 @@ "{displayName} (restricted)" : "{displayName} (ograniczony)", "Only admins can create new tags" : "Tylko administratorzy mogą tworzyć nowe tagi", "Failed to apply tags changes" : "Nie udało się zastosować zmian tagów", - "File tags modification canceled" : "Modyfikacja tagów pliku została anulowana", "Manage tags" : "Zarządzaj etykietami", "Applying tags changes…" : "Zastosowywanie zmian etykiet…", "Search or create tag" : "Wyszukaj lub utwórz etykietę", @@ -108,6 +107,7 @@ "A tag with the same name already exists" : "Tag o tej samej nazwie już istnieje", "Failed to load tags for file" : "Nie udało się załadować tagów dla pliku", "Failed to set tag for file" : "Nie udało się ustawić tagu dla pliku", - "Failed to delete tag for file" : "Nie udało się usunąć tagu z pliku" + "Failed to delete tag for file" : "Nie udało się usunąć tagu z pliku", + "File tags modification canceled" : "Modyfikacja tagów pliku została anulowana" },"pluralForm" :"nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/pt_BR.js b/apps/systemtags/l10n/pt_BR.js index 837e5c4eb06..70f84209455 100644 --- a/apps/systemtags/l10n/pt_BR.js +++ b/apps/systemtags/l10n/pt_BR.js @@ -74,7 +74,6 @@ OC.L10N.register( "{displayName} (restricted)" : "{displayName} (restrito)", "Only admins can create new tags" : "Somente os administradores podem criar novas etiquetas", "Failed to apply tags changes" : "Falha ao aplicar alterações de etiquetas", - "File tags modification canceled" : "Modificação de etiquetas de arquivo cancelada", "Manage tags" : "Gerenciar etiquetas", "Applying tags changes…" : "Aplicando alterações de etiquetas…", "Search or create tag" : "Pesquisar ou criar etiqueta", @@ -110,6 +109,7 @@ OC.L10N.register( "A tag with the same name already exists" : "Uma etiqueta com o mesmo nome já existe", "Failed to load tags for file" : "Falha ao carregar etiquetas para arquivo", "Failed to set tag for file" : "Falha ao definir etiqueta para arquivo", - "Failed to delete tag for file" : "Falha ao excluir etiqueta do arquivo" + "Failed to delete tag for file" : "Falha ao excluir etiqueta do arquivo", + "File tags modification canceled" : "Modificação de etiquetas de arquivo cancelada" }, "nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); diff --git a/apps/systemtags/l10n/pt_BR.json b/apps/systemtags/l10n/pt_BR.json index a9cd3841135..98729d1997e 100644 --- a/apps/systemtags/l10n/pt_BR.json +++ b/apps/systemtags/l10n/pt_BR.json @@ -72,7 +72,6 @@ "{displayName} (restricted)" : "{displayName} (restrito)", "Only admins can create new tags" : "Somente os administradores podem criar novas etiquetas", "Failed to apply tags changes" : "Falha ao aplicar alterações de etiquetas", - "File tags modification canceled" : "Modificação de etiquetas de arquivo cancelada", "Manage tags" : "Gerenciar etiquetas", "Applying tags changes…" : "Aplicando alterações de etiquetas…", "Search or create tag" : "Pesquisar ou criar etiqueta", @@ -108,6 +107,7 @@ "A tag with the same name already exists" : "Uma etiqueta com o mesmo nome já existe", "Failed to load tags for file" : "Falha ao carregar etiquetas para arquivo", "Failed to set tag for file" : "Falha ao definir etiqueta para arquivo", - "Failed to delete tag for file" : "Falha ao excluir etiqueta do arquivo" + "Failed to delete tag for file" : "Falha ao excluir etiqueta do arquivo", + "File tags modification canceled" : "Modificação de etiquetas de arquivo cancelada" },"pluralForm" :"nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/ru.js b/apps/systemtags/l10n/ru.js index e662ee66324..ed47fce5f6b 100644 --- a/apps/systemtags/l10n/ru.js +++ b/apps/systemtags/l10n/ru.js @@ -74,7 +74,6 @@ OC.L10N.register( "{displayName} (restricted)" : "{displayName} (ограничено)", "Only admins can create new tags" : "Только администраторы могут создать новые метки", "Failed to apply tags changes" : "Не удалось применить изменения тегов", - "File tags modification canceled" : "Изменение меток отменено", "Manage tags" : "Управление метками", "Applying tags changes…" : "Изменение меток…", "Search or create tag" : "Найти или создать тег", @@ -110,6 +109,7 @@ OC.L10N.register( "A tag with the same name already exists" : "Метка с таким именем уже существует", "Failed to load tags for file" : "Не удалось загрузить метки для файла", "Failed to set tag for file" : "Не удалось поставить метку файлу", - "Failed to delete tag for file" : "Не удалось удалить метку у файла" + "Failed to delete tag for file" : "Не удалось удалить метку у файла", + "File tags modification canceled" : "Изменение меток отменено" }, "nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);"); diff --git a/apps/systemtags/l10n/ru.json b/apps/systemtags/l10n/ru.json index f211eb50365..eed5a6eb271 100644 --- a/apps/systemtags/l10n/ru.json +++ b/apps/systemtags/l10n/ru.json @@ -72,7 +72,6 @@ "{displayName} (restricted)" : "{displayName} (ограничено)", "Only admins can create new tags" : "Только администраторы могут создать новые метки", "Failed to apply tags changes" : "Не удалось применить изменения тегов", - "File tags modification canceled" : "Изменение меток отменено", "Manage tags" : "Управление метками", "Applying tags changes…" : "Изменение меток…", "Search or create tag" : "Найти или создать тег", @@ -108,6 +107,7 @@ "A tag with the same name already exists" : "Метка с таким именем уже существует", "Failed to load tags for file" : "Не удалось загрузить метки для файла", "Failed to set tag for file" : "Не удалось поставить метку файлу", - "Failed to delete tag for file" : "Не удалось удалить метку у файла" + "Failed to delete tag for file" : "Не удалось удалить метку у файла", + "File tags modification canceled" : "Изменение меток отменено" },"pluralForm" :"nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/sk.js b/apps/systemtags/l10n/sk.js index 85a87363586..631f625c61e 100644 --- a/apps/systemtags/l10n/sk.js +++ b/apps/systemtags/l10n/sk.js @@ -68,7 +68,6 @@ OC.L10N.register( "{displayName} (hidden)" : "{displayName}(skrytý)", "{displayName} (restricted)" : "{displayName}(obmedzený)", "Failed to apply tags changes" : "Nepodarilo sa aplikovať zmeny štítkov", - "File tags modification canceled" : "Zmena štítkov súboru bola zrušená", "Manage tags" : "Spravovať štítky", "Applying tags changes…" : "Aplikujem zmeny štítkov...", "Search or create tag" : "Vyhľadať alebo vytvoriť štítok", @@ -99,6 +98,7 @@ OC.L10N.register( "A tag with the same name already exists" : "Štítok s rovnakým menom už existuje", "Failed to load tags for file" : "Nepodarilo sa načítať štítky pre súbor", "Failed to set tag for file" : "Nepodarilo sa nastaviť štítok pre súbor", - "Failed to delete tag for file" : "Nepodarilo sa odstrániť štítok pre súbor" + "Failed to delete tag for file" : "Nepodarilo sa odstrániť štítok pre súbor", + "File tags modification canceled" : "Zmena štítkov súboru bola zrušená" }, "nplurals=4; plural=(n % 1 == 0 && n == 1 ? 0 : n % 1 == 0 && n >= 2 && n <= 4 ? 1 : n % 1 != 0 ? 2: 3);"); diff --git a/apps/systemtags/l10n/sk.json b/apps/systemtags/l10n/sk.json index 90c0b66bc06..2de6df965d1 100644 --- a/apps/systemtags/l10n/sk.json +++ b/apps/systemtags/l10n/sk.json @@ -66,7 +66,6 @@ "{displayName} (hidden)" : "{displayName}(skrytý)", "{displayName} (restricted)" : "{displayName}(obmedzený)", "Failed to apply tags changes" : "Nepodarilo sa aplikovať zmeny štítkov", - "File tags modification canceled" : "Zmena štítkov súboru bola zrušená", "Manage tags" : "Spravovať štítky", "Applying tags changes…" : "Aplikujem zmeny štítkov...", "Search or create tag" : "Vyhľadať alebo vytvoriť štítok", @@ -97,6 +96,7 @@ "A tag with the same name already exists" : "Štítok s rovnakým menom už existuje", "Failed to load tags for file" : "Nepodarilo sa načítať štítky pre súbor", "Failed to set tag for file" : "Nepodarilo sa nastaviť štítok pre súbor", - "Failed to delete tag for file" : "Nepodarilo sa odstrániť štítok pre súbor" + "Failed to delete tag for file" : "Nepodarilo sa odstrániť štítok pre súbor", + "File tags modification canceled" : "Zmena štítkov súboru bola zrušená" },"pluralForm" :"nplurals=4; plural=(n % 1 == 0 && n == 1 ? 0 : n % 1 == 0 && n >= 2 && n <= 4 ? 1 : n % 1 != 0 ? 2: 3);" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/sr.js b/apps/systemtags/l10n/sr.js index 7c92cd43c49..92ad826f423 100644 --- a/apps/systemtags/l10n/sr.js +++ b/apps/systemtags/l10n/sr.js @@ -74,7 +74,6 @@ OC.L10N.register( "{displayName} (restricted)" : "{displayName} (ограничено)", "Only admins can create new tags" : "Нове ознаке могу да креирају само админи", "Failed to apply tags changes" : "Није успело примењивање измена ознака", - "File tags modification canceled" : "Отказана је измена ознака фајла", "Manage tags" : "Управљање ознакама", "Applying tags changes…" : "Примењују се измене ознака…", "Search or create tag" : "Претражи или креирај ознаку", @@ -110,6 +109,7 @@ OC.L10N.register( "A tag with the same name already exists" : "Већ постоји ознака са истим именом", "Failed to load tags for file" : "Није успело учитавање ознака за фајл", "Failed to set tag for file" : "Није успело постављање ознака за фајл", - "Failed to delete tag for file" : "Није успело брисање ознака за фајл" + "Failed to delete tag for file" : "Није успело брисање ознака за фајл", + "File tags modification canceled" : "Отказана је измена ознака фајла" }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/apps/systemtags/l10n/sr.json b/apps/systemtags/l10n/sr.json index 47ce18faf6d..f01c6d45a2e 100644 --- a/apps/systemtags/l10n/sr.json +++ b/apps/systemtags/l10n/sr.json @@ -72,7 +72,6 @@ "{displayName} (restricted)" : "{displayName} (ограничено)", "Only admins can create new tags" : "Нове ознаке могу да креирају само админи", "Failed to apply tags changes" : "Није успело примењивање измена ознака", - "File tags modification canceled" : "Отказана је измена ознака фајла", "Manage tags" : "Управљање ознакама", "Applying tags changes…" : "Примењују се измене ознака…", "Search or create tag" : "Претражи или креирај ознаку", @@ -108,6 +107,7 @@ "A tag with the same name already exists" : "Већ постоји ознака са истим именом", "Failed to load tags for file" : "Није успело учитавање ознака за фајл", "Failed to set tag for file" : "Није успело постављање ознака за фајл", - "Failed to delete tag for file" : "Није успело брисање ознака за фајл" + "Failed to delete tag for file" : "Није успело брисање ознака за фајл", + "File tags modification canceled" : "Отказана је измена ознака фајла" },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/sv.js b/apps/systemtags/l10n/sv.js index c37f4a91668..877c95ee6e7 100644 --- a/apps/systemtags/l10n/sv.js +++ b/apps/systemtags/l10n/sv.js @@ -74,7 +74,6 @@ OC.L10N.register( "{displayName} (restricted)" : "{displayName} (begränsad)", "Only admins can create new tags" : "Endast administratörer kan skapa nya taggar", "Failed to apply tags changes" : "Kunde inte tillämpa taggändringar", - "File tags modification canceled" : "Ändring av filtaggar avbröts", "Manage tags" : "Hantera taggar", "Applying tags changes…" : "Tillämpar taggändringar...", "Search or create tag" : "Sök eller skapa tagg", @@ -110,6 +109,7 @@ OC.L10N.register( "A tag with the same name already exists" : "En tagg med samma namn finns redan", "Failed to load tags for file" : "Kunde inte läsa in taggar för filen", "Failed to set tag for file" : "Kunde inte sätta tagg för filen", - "Failed to delete tag for file" : "Kunde inte ta bort tagg för filen" + "Failed to delete tag for file" : "Kunde inte ta bort tagg för filen", + "File tags modification canceled" : "Ändring av filtaggar avbröts" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/systemtags/l10n/sv.json b/apps/systemtags/l10n/sv.json index 7dce00c18b9..36476d837c6 100644 --- a/apps/systemtags/l10n/sv.json +++ b/apps/systemtags/l10n/sv.json @@ -72,7 +72,6 @@ "{displayName} (restricted)" : "{displayName} (begränsad)", "Only admins can create new tags" : "Endast administratörer kan skapa nya taggar", "Failed to apply tags changes" : "Kunde inte tillämpa taggändringar", - "File tags modification canceled" : "Ändring av filtaggar avbröts", "Manage tags" : "Hantera taggar", "Applying tags changes…" : "Tillämpar taggändringar...", "Search or create tag" : "Sök eller skapa tagg", @@ -108,6 +107,7 @@ "A tag with the same name already exists" : "En tagg med samma namn finns redan", "Failed to load tags for file" : "Kunde inte läsa in taggar för filen", "Failed to set tag for file" : "Kunde inte sätta tagg för filen", - "Failed to delete tag for file" : "Kunde inte ta bort tagg för filen" + "Failed to delete tag for file" : "Kunde inte ta bort tagg för filen", + "File tags modification canceled" : "Ändring av filtaggar avbröts" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/tr.js b/apps/systemtags/l10n/tr.js index 31075e67578..185cd37318e 100644 --- a/apps/systemtags/l10n/tr.js +++ b/apps/systemtags/l10n/tr.js @@ -74,7 +74,6 @@ OC.L10N.register( "{displayName} (restricted)" : "{displayName} (kısıtlanmış)", "Only admins can create new tags" : "Yalnızca yöneticiler yeni etiketler ekleyebilir", "Failed to apply tags changes" : "Etiket değişiklikleri uygulanamadı", - "File tags modification canceled" : "Dosya etiket değişikliği iptal edildi", "Manage tags" : "Etiket yönetimi", "Applying tags changes…" : "Etiket değişikllikleri uygulanıyor…", "Search or create tag" : "Etiket arayın ya da oluşturun", @@ -110,6 +109,7 @@ OC.L10N.register( "A tag with the same name already exists" : "Aynı adlı bir etiket zaten var", "Failed to load tags for file" : "Dosyanın etiketleri yüklenemedi", "Failed to set tag for file" : "Dosyanın etiketi ayarlanamadı", - "Failed to delete tag for file" : "Dosyanın etiketi silinemedi" + "Failed to delete tag for file" : "Dosyanın etiketi silinemedi", + "File tags modification canceled" : "Dosya etiket değişikliği iptal edildi" }, "nplurals=2; plural=(n > 1);"); diff --git a/apps/systemtags/l10n/tr.json b/apps/systemtags/l10n/tr.json index d95835e0175..ff4b5686fb6 100644 --- a/apps/systemtags/l10n/tr.json +++ b/apps/systemtags/l10n/tr.json @@ -72,7 +72,6 @@ "{displayName} (restricted)" : "{displayName} (kısıtlanmış)", "Only admins can create new tags" : "Yalnızca yöneticiler yeni etiketler ekleyebilir", "Failed to apply tags changes" : "Etiket değişiklikleri uygulanamadı", - "File tags modification canceled" : "Dosya etiket değişikliği iptal edildi", "Manage tags" : "Etiket yönetimi", "Applying tags changes…" : "Etiket değişikllikleri uygulanıyor…", "Search or create tag" : "Etiket arayın ya da oluşturun", @@ -108,6 +107,7 @@ "A tag with the same name already exists" : "Aynı adlı bir etiket zaten var", "Failed to load tags for file" : "Dosyanın etiketleri yüklenemedi", "Failed to set tag for file" : "Dosyanın etiketi ayarlanamadı", - "Failed to delete tag for file" : "Dosyanın etiketi silinemedi" + "Failed to delete tag for file" : "Dosyanın etiketi silinemedi", + "File tags modification canceled" : "Dosya etiket değişikliği iptal edildi" },"pluralForm" :"nplurals=2; plural=(n > 1);" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/ug.js b/apps/systemtags/l10n/ug.js index d81f5158c86..058b7debb3c 100644 --- a/apps/systemtags/l10n/ug.js +++ b/apps/systemtags/l10n/ug.js @@ -68,7 +68,6 @@ OC.L10N.register( "{displayName} (hidden)" : "{displayName} (يوشۇرۇن)", "{displayName} (restricted)" : "{displayName} (چەكلەنگەن)", "Failed to apply tags changes" : "خەتكۈچ ئۆزگەرتىش قوللانمىدى", - "File tags modification canceled" : "ھۆججەت خەتكۈچلىرىنى ئۆزگەرتىش ئەمەلدىن قالدۇرۇلدى", "Manage tags" : "خەتكۈچلەرنى باشقۇرۇش", "Applying tags changes…" : "خەتكۈچ ئۆزگەرتىش…", "Search or create tag" : "بەلگە ئىزدەش ياكى قۇرۇش", @@ -93,6 +92,7 @@ OC.L10N.register( "A tag with the same name already exists" : "ئوخشاش ئىسىمدىكى بەلگە ئاللىبۇرۇن مەۋجۇت", "Failed to load tags for file" : "ھۆججەتنىڭ خەتكۈچلىرىنى يۈكلىيەلمىدى", "Failed to set tag for file" : "ھۆججەتكە بەلگە بەلگىلەش مەغلۇپ بولدى", - "Failed to delete tag for file" : "ھۆججەتنىڭ بەلگىسىنى ئۆچۈرەلمىدى" + "Failed to delete tag for file" : "ھۆججەتنىڭ بەلگىسىنى ئۆچۈرەلمىدى", + "File tags modification canceled" : "ھۆججەت خەتكۈچلىرىنى ئۆزگەرتىش ئەمەلدىن قالدۇرۇلدى" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/systemtags/l10n/ug.json b/apps/systemtags/l10n/ug.json index 1aba9a6fb2c..22266f58218 100644 --- a/apps/systemtags/l10n/ug.json +++ b/apps/systemtags/l10n/ug.json @@ -66,7 +66,6 @@ "{displayName} (hidden)" : "{displayName} (يوشۇرۇن)", "{displayName} (restricted)" : "{displayName} (چەكلەنگەن)", "Failed to apply tags changes" : "خەتكۈچ ئۆزگەرتىش قوللانمىدى", - "File tags modification canceled" : "ھۆججەت خەتكۈچلىرىنى ئۆزگەرتىش ئەمەلدىن قالدۇرۇلدى", "Manage tags" : "خەتكۈچلەرنى باشقۇرۇش", "Applying tags changes…" : "خەتكۈچ ئۆزگەرتىش…", "Search or create tag" : "بەلگە ئىزدەش ياكى قۇرۇش", @@ -91,6 +90,7 @@ "A tag with the same name already exists" : "ئوخشاش ئىسىمدىكى بەلگە ئاللىبۇرۇن مەۋجۇت", "Failed to load tags for file" : "ھۆججەتنىڭ خەتكۈچلىرىنى يۈكلىيەلمىدى", "Failed to set tag for file" : "ھۆججەتكە بەلگە بەلگىلەش مەغلۇپ بولدى", - "Failed to delete tag for file" : "ھۆججەتنىڭ بەلگىسىنى ئۆچۈرەلمىدى" + "Failed to delete tag for file" : "ھۆججەتنىڭ بەلگىسىنى ئۆچۈرەلمىدى", + "File tags modification canceled" : "ھۆججەت خەتكۈچلىرىنى ئۆزگەرتىش ئەمەلدىن قالدۇرۇلدى" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/uk.js b/apps/systemtags/l10n/uk.js index 18e8406193e..ad9d3e06920 100644 --- a/apps/systemtags/l10n/uk.js +++ b/apps/systemtags/l10n/uk.js @@ -74,7 +74,6 @@ OC.L10N.register( "{displayName} (restricted)" : "{displayName} (обмежено)", "Only admins can create new tags" : "Тільки адміністратори можуть створювати нові теги", "Failed to apply tags changes" : "Не вдалося застосувати зміни до міток", - "File tags modification canceled" : "Скасовано зміни до міток файлів", "Manage tags" : "Керування мітками", "Applying tags changes…" : "Застосування змін до міток...", "Search or create tag" : "Шукати або створити мітку", @@ -110,6 +109,7 @@ OC.L10N.register( "A tag with the same name already exists" : "Мітка з таким ім'ям вже присутня", "Failed to load tags for file" : "Не вдалося завантажити мітки для файлу", "Failed to set tag for file" : "Не вдалося встановити мітку для файлу", - "Failed to delete tag for file" : "Не вдалося вилучить мітку для файлу" + "Failed to delete tag for file" : "Не вдалося вилучить мітку для файлу", + "File tags modification canceled" : "Скасовано зміни до міток файлів" }, "nplurals=4; plural=(n % 1 == 0 && n % 10 == 1 && n % 100 != 11 ? 0 : n % 1 == 0 && n % 10 >= 2 && n % 10 <= 4 && (n % 100 < 12 || n % 100 > 14) ? 1 : n % 1 == 0 && (n % 10 ==0 || (n % 10 >=5 && n % 10 <=9) || (n % 100 >=11 && n % 100 <=14 )) ? 2: 3);"); diff --git a/apps/systemtags/l10n/uk.json b/apps/systemtags/l10n/uk.json index bfd794fb32c..6a474e67d81 100644 --- a/apps/systemtags/l10n/uk.json +++ b/apps/systemtags/l10n/uk.json @@ -72,7 +72,6 @@ "{displayName} (restricted)" : "{displayName} (обмежено)", "Only admins can create new tags" : "Тільки адміністратори можуть створювати нові теги", "Failed to apply tags changes" : "Не вдалося застосувати зміни до міток", - "File tags modification canceled" : "Скасовано зміни до міток файлів", "Manage tags" : "Керування мітками", "Applying tags changes…" : "Застосування змін до міток...", "Search or create tag" : "Шукати або створити мітку", @@ -108,6 +107,7 @@ "A tag with the same name already exists" : "Мітка з таким ім'ям вже присутня", "Failed to load tags for file" : "Не вдалося завантажити мітки для файлу", "Failed to set tag for file" : "Не вдалося встановити мітку для файлу", - "Failed to delete tag for file" : "Не вдалося вилучить мітку для файлу" + "Failed to delete tag for file" : "Не вдалося вилучить мітку для файлу", + "File tags modification canceled" : "Скасовано зміни до міток файлів" },"pluralForm" :"nplurals=4; plural=(n % 1 == 0 && n % 10 == 1 && n % 100 != 11 ? 0 : n % 1 == 0 && n % 10 >= 2 && n % 10 <= 4 && (n % 100 < 12 || n % 100 > 14) ? 1 : n % 1 == 0 && (n % 10 ==0 || (n % 10 >=5 && n % 10 <=9) || (n % 100 >=11 && n % 100 <=14 )) ? 2: 3);" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/zh_CN.js b/apps/systemtags/l10n/zh_CN.js index 7651ca79c65..caec30cb30f 100644 --- a/apps/systemtags/l10n/zh_CN.js +++ b/apps/systemtags/l10n/zh_CN.js @@ -74,7 +74,6 @@ OC.L10N.register( "{displayName} (restricted)" : "{displayName}(受限)", "Only admins can create new tags" : "只有管理员可以创建新标签", "Failed to apply tags changes" : "无法应用标签更改", - "File tags modification canceled" : "文件标签修改已取消", "Manage tags" : "管理标签", "Applying tags changes…" : "正在应用标签更改…", "Search or create tag" : "搜索或创建标签", @@ -110,6 +109,7 @@ OC.L10N.register( "A tag with the same name already exists" : "同名标签已存在", "Failed to load tags for file" : "无法加载该文件的标签", "Failed to set tag for file" : "无法设置该文件的标签", - "Failed to delete tag for file" : "无法删除该文件的标签" + "Failed to delete tag for file" : "无法删除该文件的标签", + "File tags modification canceled" : "文件标签修改已取消" }, "nplurals=1; plural=0;"); diff --git a/apps/systemtags/l10n/zh_CN.json b/apps/systemtags/l10n/zh_CN.json index 70b25916aa9..b31988f26dc 100644 --- a/apps/systemtags/l10n/zh_CN.json +++ b/apps/systemtags/l10n/zh_CN.json @@ -72,7 +72,6 @@ "{displayName} (restricted)" : "{displayName}(受限)", "Only admins can create new tags" : "只有管理员可以创建新标签", "Failed to apply tags changes" : "无法应用标签更改", - "File tags modification canceled" : "文件标签修改已取消", "Manage tags" : "管理标签", "Applying tags changes…" : "正在应用标签更改…", "Search or create tag" : "搜索或创建标签", @@ -108,6 +107,7 @@ "A tag with the same name already exists" : "同名标签已存在", "Failed to load tags for file" : "无法加载该文件的标签", "Failed to set tag for file" : "无法设置该文件的标签", - "Failed to delete tag for file" : "无法删除该文件的标签" + "Failed to delete tag for file" : "无法删除该文件的标签", + "File tags modification canceled" : "文件标签修改已取消" },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/zh_HK.js b/apps/systemtags/l10n/zh_HK.js index 680e95f2595..f0c50b19d86 100644 --- a/apps/systemtags/l10n/zh_HK.js +++ b/apps/systemtags/l10n/zh_HK.js @@ -74,7 +74,6 @@ OC.L10N.register( "{displayName} (restricted)" : "{displayName}(受限)", "Only admins can create new tags" : "僅管理員可以建立新標籤", "Failed to apply tags changes" : "應用標籤失敗", - "File tags modification canceled" : "檔案標籤修改已取消", "Manage tags" : "管理標籤", "Applying tags changes…" : "正在套用標籤更新 …", "Search or create tag" : "搜尋或創建標籤", @@ -110,6 +109,7 @@ OC.L10N.register( "A tag with the same name already exists" : "另一個同名的標籤已經存在", "Failed to load tags for file" : "無法載入檔案的標籤", "Failed to set tag for file" : "無法設定檔案的標籤", - "Failed to delete tag for file" : "無法刪除檔案的標籤" + "Failed to delete tag for file" : "無法刪除檔案的標籤", + "File tags modification canceled" : "檔案標籤修改已取消" }, "nplurals=1; plural=0;"); diff --git a/apps/systemtags/l10n/zh_HK.json b/apps/systemtags/l10n/zh_HK.json index 1134f00f734..fd00adc5454 100644 --- a/apps/systemtags/l10n/zh_HK.json +++ b/apps/systemtags/l10n/zh_HK.json @@ -72,7 +72,6 @@ "{displayName} (restricted)" : "{displayName}(受限)", "Only admins can create new tags" : "僅管理員可以建立新標籤", "Failed to apply tags changes" : "應用標籤失敗", - "File tags modification canceled" : "檔案標籤修改已取消", "Manage tags" : "管理標籤", "Applying tags changes…" : "正在套用標籤更新 …", "Search or create tag" : "搜尋或創建標籤", @@ -108,6 +107,7 @@ "A tag with the same name already exists" : "另一個同名的標籤已經存在", "Failed to load tags for file" : "無法載入檔案的標籤", "Failed to set tag for file" : "無法設定檔案的標籤", - "Failed to delete tag for file" : "無法刪除檔案的標籤" + "Failed to delete tag for file" : "無法刪除檔案的標籤", + "File tags modification canceled" : "檔案標籤修改已取消" },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/zh_TW.js b/apps/systemtags/l10n/zh_TW.js index b3291e73bac..0bfd1030d49 100644 --- a/apps/systemtags/l10n/zh_TW.js +++ b/apps/systemtags/l10n/zh_TW.js @@ -74,7 +74,6 @@ OC.L10N.register( "{displayName} (restricted)" : "{displayName}(受限)", "Only admins can create new tags" : "僅有管理員可以建立新標籤", "Failed to apply tags changes" : "套用標籤變更失敗", - "File tags modification canceled" : "已取消檔案標籤修改", "Manage tags" : "管理標籤", "Applying tags changes…" : "正在套用標籤變更……", "Search or create tag" : "搜尋或建立標籤", @@ -110,6 +109,7 @@ OC.L10N.register( "A tag with the same name already exists" : "已有相同名稱的標籤", "Failed to load tags for file" : "檔案的標籤載入失敗", "Failed to set tag for file" : "檔案的標籤設定失敗", - "Failed to delete tag for file" : "檔案的標籤刪除失敗" + "Failed to delete tag for file" : "檔案的標籤刪除失敗", + "File tags modification canceled" : "已取消檔案標籤修改" }, "nplurals=1; plural=0;"); diff --git a/apps/systemtags/l10n/zh_TW.json b/apps/systemtags/l10n/zh_TW.json index c691bf59378..4810effcad4 100644 --- a/apps/systemtags/l10n/zh_TW.json +++ b/apps/systemtags/l10n/zh_TW.json @@ -72,7 +72,6 @@ "{displayName} (restricted)" : "{displayName}(受限)", "Only admins can create new tags" : "僅有管理員可以建立新標籤", "Failed to apply tags changes" : "套用標籤變更失敗", - "File tags modification canceled" : "已取消檔案標籤修改", "Manage tags" : "管理標籤", "Applying tags changes…" : "正在套用標籤變更……", "Search or create tag" : "搜尋或建立標籤", @@ -108,6 +107,7 @@ "A tag with the same name already exists" : "已有相同名稱的標籤", "Failed to load tags for file" : "檔案的標籤載入失敗", "Failed to set tag for file" : "檔案的標籤設定失敗", - "Failed to delete tag for file" : "檔案的標籤刪除失敗" + "Failed to delete tag for file" : "檔案的標籤刪除失敗", + "File tags modification canceled" : "已取消檔案標籤修改" },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/systemtags/src/components/SystemTagPicker.vue b/apps/systemtags/src/components/SystemTagPicker.vue index 377e76ed75f..50a5f182fe7 100644 --- a/apps/systemtags/src/components/SystemTagPicker.vue +++ b/apps/systemtags/src/components/SystemTagPicker.vue @@ -59,9 +59,15 @@ @submit="openedPicker = false"> <NcButton :aria-label="t('systemtags', 'Change tag color')" type="tertiary"> <template #icon> - <CircleIcon v-if="tag.color" :size="24" fill-color="var(--color-circle-icon)" /> - <CircleOutlineIcon v-else :size="24" fill-color="var(--color-circle-icon)" /> - <PencilIcon /> + <CircleIcon v-if="tag.color" + :size="24" + fill-color="var(--color-circle-icon)" + class="button-color-circle" /> + <CircleOutlineIcon v-else + :size="24" + fill-color="var(--color-circle-icon)" + class="button-color-empty" /> + <PencilIcon class="button-color-pencil" /> </template> </NcButton> </NcColorPicker> @@ -131,7 +137,7 @@ import { emit } from '@nextcloud/event-bus' import { getCurrentUser } from '@nextcloud/auth' import { getLanguage, n, t } from '@nextcloud/l10n' import { loadState } from '@nextcloud/initial-state' -import { showError, showInfo } from '@nextcloud/dialogs' +import { showError } from '@nextcloud/dialogs' import debounce from 'debounce' import domPurify from 'dompurify' import escapeHTML from 'escape-html' @@ -547,7 +553,6 @@ export default defineComponent({ onCancel() { this.opened = false - showInfo(t('systemtags', 'File tags modification canceled')) this.$emit('close', null) }, @@ -622,7 +627,7 @@ export default defineComponent({ .systemtags-picker__tag-color button { margin-inline-start: calc(var(--default-grid-baseline) * 2); - span.pencil-icon { + .button-color-pencil { display: none; color: var(--color-main-text); } @@ -630,11 +635,11 @@ export default defineComponent({ &:focus, &:hover, &[aria-expanded='true'] { - .pencil-icon { + .button-color-pencil { display: block; } - .circle-icon, - .circle-outline-icon { + .button-color-circle, + .button-color-empty { display: none; } } diff --git a/apps/user_ldap/l10n/es.js b/apps/user_ldap/l10n/es.js index ce71773283b..280e68568c4 100644 --- a/apps/user_ldap/l10n/es.js +++ b/apps/user_ldap/l10n/es.js @@ -191,13 +191,13 @@ OC.L10N.register( "The DN of a default password policy that will be used for password expiry handling. Works only when LDAP password changes per user are enabled and is only supported by OpenLDAP. Leave empty to disable password expiry handling." : "El DN de una política de contraseñas por defecto que será usado para el manejo de la expiración de contraseñas. Solo funciona cuando los cambios por usuario de la contraseña LDAP están habilitados y solo está aceptada por OpenLDAP. Déjala vacía para deshabilitar el manejo de expiración de contraseñas.", "Special Attributes" : "Atributos especiales", "Quota Field" : "Cuota", - "Leave empty for user's default quota. Otherwise, specify an LDAP/AD attribute." : "Deje vacío para la couta predeterminada del usuario. De otra manera, específique un atributo LDAP/AD.", + "Leave empty for user's default quota. Otherwise, specify an LDAP/AD attribute." : "Déjelo vacío para la cuota predeterminada del usuario. De lo contrario, especifique un atributo LDAP/AD.", "Quota Default" : "Cuota por defecto", - "Override default quota for LDAP users who do not have a quota set in the Quota Field." : "Anular la cuota predeterminada para usuarios LDAP que no tienen una cuota establecida en el Campo Cuota.", + "Override default quota for LDAP users who do not have a quota set in the Quota Field." : "Sobrescribir la cuota predeterminada para usuarios LDAP que no tienen una cuota establecida en el Campo Cuota.", "Email Field" : "E-mail", "Set the user's email from their LDAP attribute. Leave it empty for default behaviour." : "Configurar el correo electrónico del usuario desde atributo LDAP. Déjelo vacío para comportamiento predeterminado.", "User Home Folder Naming Rule" : "Regla para la carpeta Home de usuario", - "Leave empty for username (default). Otherwise, specify an LDAP/AD attribute." : "Deje vacío el nombre de usuario (por omisión). En otro caso, especifique un atributo LDAP/AD.", + "Leave empty for username (default). Otherwise, specify an LDAP/AD attribute." : "Déjelo vacío para utilizar el nombre de usuario (predeterminado). De lo contrario, especifique un atributo LDAP/AD.", "\"$home\" Placeholder Field" : "Marcador de posición del Campo \"$home\"", "$home in an external storage configuration will be replaced with the value of the specified attribute" : "$home en una configuración de almacenamiento externo será reemplazado con el valor del atributo especificado", "User Profile Attributes" : "Atributos del perfil de usuario", @@ -227,7 +227,7 @@ OC.L10N.register( "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. Changes will have effect only on newly mapped (added) LDAP users. Leave it empty for default behavior." : "Por defecto, el nombre de usuario interno será creado a partir del atributo UUID. Esto asegura que el nombre de usuario es único y no se necesitará convertir los caracteres. El nombre de usuario interno tiene la restricción de que solo se admiten estos caracteres: [ a-zA-Z0-9_.@- ]. Otros caracteres son reemplazados por su correspondencia ASCII o simplemente omitidos. En caso de colisiones se añadirá/incrementará un número. El nombre de usuario interno se usa para identificar internamente a un usuario. Es también el nombre por defecto de la carpeta de inicio del usuario. También es parte de las URL remotas, por ejemplo para todos los servicios DAV. Con esta configuración, se puede anular el comportamiento por defecto. Los cambios tendrán efecto solo en usuarios LDAP mapeados (añadidos) después del cambio. Déjelo vacío para usar el comportamiento por defecto.", "Internal Username Attribute:" : "Atributo de nombre de usuario interno:", "Override UUID detection" : "Anular la detección UUID", - "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." : "Por defecto, el atributo UUID se detecta automáticamente. Este atributo es usado para identificar inequívocamente a usuarios y grupos LDAP. Además, el nombre de usuario interno será creado basado en el UUID, si no ha sido especificado otro comportamiento arriba. Puede anular la configuración y pasar un atributo de su elección. Debe asegurarse de que el atributo de su elección sea accesible por los usuarios y grupos y ser único. Déjelo en blanco para usar el comportamiento por defecto. Los cambios tendrán efecto solo en los usuarios y grupos de LDAP mapeados (añadidos) recientemente.", + "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." : "De manera predeterminada, el atributo UUID se detecta automáticamente. El atributo UUID se utiliza para identificar inequívocamente a usuarios y grupos LDAP. Además, el nombre de usuario interno será creado basado en el UUID, si no ha sido especificado un comportamiento diferente más arriba. Puede sobrescribir la configuración y pasar un atributo de su elección. Debe asegurarse de que el atributo de su elección sea accesible tanto por usuarios como grupos y ser único. Déjelo en blanco para usar el comportamiento predeterminado. Los cambios tendrán efecto solo en los usuarios y grupos de LDAP mapeados (añadidos) recientemente.", "UUID Attribute for Users:" : "Atributo UUID para usuarios:", "UUID Attribute for Groups:" : "Atributo UUID para Grupos:", "Username-LDAP User Mapping" : "Asignación del Nombre de usuario de un usuario LDAP", diff --git a/apps/user_ldap/l10n/es.json b/apps/user_ldap/l10n/es.json index 2e8253e0fa1..668dd84b489 100644 --- a/apps/user_ldap/l10n/es.json +++ b/apps/user_ldap/l10n/es.json @@ -189,13 +189,13 @@ "The DN of a default password policy that will be used for password expiry handling. Works only when LDAP password changes per user are enabled and is only supported by OpenLDAP. Leave empty to disable password expiry handling." : "El DN de una política de contraseñas por defecto que será usado para el manejo de la expiración de contraseñas. Solo funciona cuando los cambios por usuario de la contraseña LDAP están habilitados y solo está aceptada por OpenLDAP. Déjala vacía para deshabilitar el manejo de expiración de contraseñas.", "Special Attributes" : "Atributos especiales", "Quota Field" : "Cuota", - "Leave empty for user's default quota. Otherwise, specify an LDAP/AD attribute." : "Deje vacío para la couta predeterminada del usuario. De otra manera, específique un atributo LDAP/AD.", + "Leave empty for user's default quota. Otherwise, specify an LDAP/AD attribute." : "Déjelo vacío para la cuota predeterminada del usuario. De lo contrario, especifique un atributo LDAP/AD.", "Quota Default" : "Cuota por defecto", - "Override default quota for LDAP users who do not have a quota set in the Quota Field." : "Anular la cuota predeterminada para usuarios LDAP que no tienen una cuota establecida en el Campo Cuota.", + "Override default quota for LDAP users who do not have a quota set in the Quota Field." : "Sobrescribir la cuota predeterminada para usuarios LDAP que no tienen una cuota establecida en el Campo Cuota.", "Email Field" : "E-mail", "Set the user's email from their LDAP attribute. Leave it empty for default behaviour." : "Configurar el correo electrónico del usuario desde atributo LDAP. Déjelo vacío para comportamiento predeterminado.", "User Home Folder Naming Rule" : "Regla para la carpeta Home de usuario", - "Leave empty for username (default). Otherwise, specify an LDAP/AD attribute." : "Deje vacío el nombre de usuario (por omisión). En otro caso, especifique un atributo LDAP/AD.", + "Leave empty for username (default). Otherwise, specify an LDAP/AD attribute." : "Déjelo vacío para utilizar el nombre de usuario (predeterminado). De lo contrario, especifique un atributo LDAP/AD.", "\"$home\" Placeholder Field" : "Marcador de posición del Campo \"$home\"", "$home in an external storage configuration will be replaced with the value of the specified attribute" : "$home en una configuración de almacenamiento externo será reemplazado con el valor del atributo especificado", "User Profile Attributes" : "Atributos del perfil de usuario", @@ -225,7 +225,7 @@ "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. Changes will have effect only on newly mapped (added) LDAP users. Leave it empty for default behavior." : "Por defecto, el nombre de usuario interno será creado a partir del atributo UUID. Esto asegura que el nombre de usuario es único y no se necesitará convertir los caracteres. El nombre de usuario interno tiene la restricción de que solo se admiten estos caracteres: [ a-zA-Z0-9_.@- ]. Otros caracteres son reemplazados por su correspondencia ASCII o simplemente omitidos. En caso de colisiones se añadirá/incrementará un número. El nombre de usuario interno se usa para identificar internamente a un usuario. Es también el nombre por defecto de la carpeta de inicio del usuario. También es parte de las URL remotas, por ejemplo para todos los servicios DAV. Con esta configuración, se puede anular el comportamiento por defecto. Los cambios tendrán efecto solo en usuarios LDAP mapeados (añadidos) después del cambio. Déjelo vacío para usar el comportamiento por defecto.", "Internal Username Attribute:" : "Atributo de nombre de usuario interno:", "Override UUID detection" : "Anular la detección UUID", - "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." : "Por defecto, el atributo UUID se detecta automáticamente. Este atributo es usado para identificar inequívocamente a usuarios y grupos LDAP. Además, el nombre de usuario interno será creado basado en el UUID, si no ha sido especificado otro comportamiento arriba. Puede anular la configuración y pasar un atributo de su elección. Debe asegurarse de que el atributo de su elección sea accesible por los usuarios y grupos y ser único. Déjelo en blanco para usar el comportamiento por defecto. Los cambios tendrán efecto solo en los usuarios y grupos de LDAP mapeados (añadidos) recientemente.", + "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." : "De manera predeterminada, el atributo UUID se detecta automáticamente. El atributo UUID se utiliza para identificar inequívocamente a usuarios y grupos LDAP. Además, el nombre de usuario interno será creado basado en el UUID, si no ha sido especificado un comportamiento diferente más arriba. Puede sobrescribir la configuración y pasar un atributo de su elección. Debe asegurarse de que el atributo de su elección sea accesible tanto por usuarios como grupos y ser único. Déjelo en blanco para usar el comportamiento predeterminado. Los cambios tendrán efecto solo en los usuarios y grupos de LDAP mapeados (añadidos) recientemente.", "UUID Attribute for Users:" : "Atributo UUID para usuarios:", "UUID Attribute for Groups:" : "Atributo UUID para Grupos:", "Username-LDAP User Mapping" : "Asignación del Nombre de usuario de un usuario LDAP", diff --git a/apps/user_status/lib/Capabilities.php b/apps/user_status/lib/Capabilities.php index 0c5dc4e03d2..c3edbc032d6 100644 --- a/apps/user_status/lib/Capabilities.php +++ b/apps/user_status/lib/Capabilities.php @@ -23,7 +23,7 @@ class Capabilities implements ICapability { } /** - * @return array{user_status: array{enabled: bool, restore: bool, supports_emoji: bool}} + * @return array{user_status: array{enabled: bool, restore: bool, supports_emoji: bool, supports_busy: bool}} */ public function getCapabilities() { return [ @@ -31,6 +31,7 @@ class Capabilities implements ICapability { 'enabled' => true, 'restore' => true, 'supports_emoji' => $this->emojiHelper->doesPlatformSupportEmoji(), + 'supports_busy' => true, ], ]; } diff --git a/apps/user_status/openapi.json b/apps/user_status/openapi.json index d1018fa26e6..e48d4970b96 100644 --- a/apps/user_status/openapi.json +++ b/apps/user_status/openapi.json @@ -31,7 +31,8 @@ "required": [ "enabled", "restore", - "supports_emoji" + "supports_emoji", + "supports_busy" ], "properties": { "enabled": { @@ -42,6 +43,9 @@ }, "supports_emoji": { "type": "boolean" + }, + "supports_busy": { + "type": "boolean" } } } diff --git a/apps/user_status/tests/Unit/CapabilitiesTest.php b/apps/user_status/tests/Unit/CapabilitiesTest.php index f07892ff3fd..601fb207df4 100644 --- a/apps/user_status/tests/Unit/CapabilitiesTest.php +++ b/apps/user_status/tests/Unit/CapabilitiesTest.php @@ -35,6 +35,7 @@ class CapabilitiesTest extends TestCase { 'enabled' => true, 'restore' => true, 'supports_emoji' => $supportsEmojis, + 'supports_busy' => true, ] ], $this->capabilities->getCapabilities()); } |